Add version mismatch detection, refactor GH workflows, draft release.yml, increase prettier scope (#250)

* Refactor GH workflows

* Add version mismatch checker and UpdateClient Dialog

* Fix finalize release workflow

* Increase prettier scope

* Increase prettier coverage, add some static to prettierignore

* Add CodeQL on PR
This commit is contained in:
Reckless_Satoshi 2022-09-20 17:39:49 +00:00 committed by Reckless_Satoshi
parent e4ddeea39d
commit 37b8fdd233
No known key found for this signature in database
GPG Key ID: 9C4585B561315571
43 changed files with 6234 additions and 5966 deletions

View File

@ -8,6 +8,11 @@ on:
pull_request:
branches: [ "main" ]
paths: ["frontend", "nodeapp"]
workflow_call:
inputs:
semver:
required: true
type: string
concurrency:
group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
@ -71,6 +76,7 @@ jobs:
push: true
tags: |
recksato/robosats-client:${{ steps.commit.outputs.short }}
recksato/robosats-client:${{ inputs.semver }}
recksato/robosats-client:latest
labels: ${{ steps.meta.outputs.labels }}

75
.github/workflows/codeql-client.yml vendored Normal file
View File

@ -0,0 +1,75 @@
# For most projects, this workflow file will not need changing; you simply need
# to commit it to your repository.
#
# You may wish to alter this file to override the set of languages analyzed,
# or to provide custom queries or build logic.
#
# ******** NOTE ********
# We have attempted to detect the languages in your repository. Please check
# the `language` matrix defined below to confirm you have the correct set of
# supported CodeQL languages.
#
name: "CodeQL Analysis Client"
on:
push:
branches: [ "main" ]
pull_request:
# The branches below must be a subset of the branches above
branches: [ "main" ]
paths:
- 'frontend'
- 'mobile'
schedule:
- cron: '39 10 * * 2'
jobs:
analyze:
name: Analyze
runs-on: ubuntu-latest
permissions:
actions: read
contents: read
security-events: write
strategy:
fail-fast: false
matrix:
language: [ 'javascript' ]
# CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python', 'ruby' ]
# Learn more about CodeQL language support at https://aka.ms/codeql-docs/language-support
steps:
- name: Checkout repository
uses: actions/checkout@v3
# Initializes the CodeQL tools for scanning.
- name: Initialize CodeQL
uses: github/codeql-action/init@v2
with:
languages: ${{ matrix.language }}
# If you wish to specify custom queries, you can do so here or in a config file.
# By default, queries listed here will override any specified in a config file.
# Prefix the list here with "+" to use these queries and those in the config file.
# Details on CodeQL's query packs refer to : https://docs.github.com/en/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning#using-queries-in-ql-packs
# queries: security-extended,security-and-quality
# Autobuild attempts to build any compiled languages (C/C++, C#, or Java).
# If this step fails, then you should remove it and run the build manually (see below)
- name: Autobuild
uses: github/codeql-action/autobuild@v2
# Command-line programs to run using the OS shell.
# 📚 See https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#jobsjob_idstepsrun
# If the Autobuild fails above, remove it and uncomment the following three lines.
# modify them (or add more) to build your code if your project, please refer to the EXAMPLE below for guidance.
# - run: |
# echo "Run, Build Application using script"
# ./location_of_script_within_repo/buildscript.sh
- name: Perform CodeQL Analysis
uses: github/codeql-action/analyze@v2

View File

@ -9,14 +9,16 @@
# the `language` matrix defined below to confirm you have the correct set of
# supported CodeQL languages.
#
name: "CodeQL"
name: "CodeQL Analysis Coordinator"
on:
push:
branches: [ "main" ]
pull_request:
# The branches below must be a subset of the branches above
# branches: [ "main" ]
branches: [ "main" ]
paths:
- 'api'
schedule:
- cron: '39 10 * * 2'
@ -32,7 +34,7 @@ jobs:
strategy:
fail-fast: false
matrix:
language: [ 'javascript', 'python' ]
language: [ 'python' ]
# CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python', 'ruby' ]
# Learn more about CodeQL language support at https://aka.ms/codeql-docs/language-support

View File

@ -1,4 +1,4 @@
name: Backend Image CI
name: Coodinator Image CI
on:
workflow_dispatch:
@ -8,6 +8,11 @@ on:
pull_request:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats", "frontend"]
workflow_call:
inputs:
semver:
required: true
type: string
concurrency:
group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'

View File

@ -2,6 +2,7 @@ name: Django Tests
on:
workflow_dispatch:
workflow_call:
push:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats"]

View File

@ -2,6 +2,11 @@ name: Frontend Test & Build
on:
workflow_dispatch:
workflow_call:
inputs:
semver:
required: true
type: string
push:
branches: [ "main" ]
paths: [ "frontend" ]
@ -48,12 +53,15 @@ jobs:
with:
name: main-js
path: frontend/static/frontend/main.js
- name: 'Invoke Backend Build CI workflow'
if: ${{ inputs.semver }} != ""
uses: benc-uk/workflow-dispatch@v1
with:
workflow: 'Backend Image CI'
token: ${{ secrets.PERSONAL_TOKEN }}
- name: 'Invoke Client App Build CI/CD workflow'
if: ${{ inputs.semver }} != ""
uses: benc-uk/workflow-dispatch@v1
with:
workflow: 'Client App Image CI/CD'

View File

@ -37,6 +37,7 @@ jobs:
with:
prettier: true
prettier_dir: frontend
# Many linting errors
## Disabled due to error
# eslint: true
# eslint_dir: frontend

79
.github/workflows/release.yml vendored Normal file
View File

@ -0,0 +1,79 @@
name: Release
on:
push:
tags:
- "v*.*.*"
jobs:
check-versions:
runs-on: ubuntu-latest
steps:
- name: 'Checkout'
uses: actions/checkout@v3
- uses: olegtarasov/get-tag@v2.1
id: tagName
- name: 'Validate versions match (tag, backend, frontend, Android)'
id: validate
run: |
sudo apt-get install jq
clientV=$(jq -r .version frontend/package.json)
coordinatorV=$(jq -r .major version.json).$(jq -r .minor version.json).$(jq -r .patch version.json)
tagV=$(git describe --tags --abbrev=0 | sed 's/v//')
printf "Client version: ${clientV}\nCoordinator version: ${coordinatorV}\nGit tag version: ${tagV}\n"
if [ "$coordinatorV" = "$clientV" ] && [ "$coordinatorV" = "$tagV" ] ; then
echo "Versions match!"
else
echo "Versions do not match! You might have forgotten to update the version on a component."; exit $ERRCODE;
fi
django-test:
uses: reckless-satoshi/robosats/.github/workflows/django-test.yml@main
needs: check-versions
frontend-build:
uses: reckless-satoshi/robosats/.github/workflows/frontend-build.yml@main
needs: check-versions
with:
semver: ${{ needs.check-version.tagName.outputs.tag }}
coordinator-image:
uses: reckless-satoshi/robosats/.github/workflows/coordinator-image.yml@main
needs: [django-test, frontend-build]
with:
semver: ${{ needs.check-version.tagName.outputs.tag }}
client-image:
uses: reckless-satoshi/robosats/.github/workflows/client-image.yml@main
needs: frontend-build
with:
semver: ${{ needs.check-version.tagName.outputs.tag }}
android-build:
uses: reckless-satoshi/robosats/.github/workflows/coordinator-image.yml@main
needs: frontend-build
with:
semver: ${{ needs.check-version.tagName.outputs.tag }}
changelog:
runs-on: ubuntu-20.04
steps:
- name: "Generate release changelog"
uses: heinrichreimer/github-changelog-generator-action@v2.3
with:
token: ${{ secrets.GITHUB_TOKEN }}
release:
needs: [coordinator-image, client-image, android-build, changelog]
runs-on: ubuntu-latest
steps:
- name: Checkout
uses: actions/checkout@v2
- name: Release
uses: softprops/action-gh-release@v1
with:
body: ${{ needs.changelog.outputs.changelog }}

View File

@ -134,7 +134,7 @@ def get_lnd_version():
robosats_commit_cache = {}
@ring.dict(robosats_commit_cache, expire=3600)
def get_commit_robosats():
def get_robosats_commit():
commit = os.popen('git log -n 1 --pretty=format:"%H"')
commit_hash = commit.read()
@ -146,6 +146,16 @@ def get_commit_robosats():
return commit_hash
robosats_version_cache = {}
@ring.dict(robosats_commit_cache, expire=99999)
def get_robosats_version():
with open("version.json") as f:
version_dict = json.load(f)
print(version_dict)
return version_dict
premium_percentile = {}
@ring.dict(premium_percentile, expire=300)
def compute_premium_percentile(order):

View File

@ -17,7 +17,7 @@ from control.models import AccountingDay, BalanceLog
from api.logics import Logics
from api.messages import Telegram
from secrets import token_urlsafe
from api.utils import get_lnd_version, get_commit_robosats, compute_premium_percentile, compute_avg_premium
from api.utils import get_lnd_version, get_robosats_commit, get_robosats_version, compute_premium_percentile, compute_avg_premium
from .nick_generator.nick_generator import NickGenerator
from robohash import Robohash
@ -837,7 +837,8 @@ class InfoView(ListAPIView):
context["last_day_volume"] = round(total_volume, 8)
context["lifetime_volume"] = round(lifetime_volume, 8)
context["lnd_version"] = get_lnd_version()
context["robosats_running_commit_hash"] = get_commit_robosats()
context["robosats_running_commit_hash"] = get_robosats_commit()
context["version"] = get_robosats_version()
context["alternative_site"] = config("ALTERNATIVE_SITE")
context["alternative_name"] = config("ALTERNATIVE_NAME")
context["node_alias"] = config("NODE_ALIAS")

View File

@ -19,12 +19,7 @@
"sourceType": "module",
"project": "./tsconfig.json"
},
"plugins": [
"react",
"react-hooks",
"@typescript-eslint",
"prettier"
],
"plugins": ["react", "react-hooks", "@typescript-eslint", "prettier"],
"rules": {
"react-hooks/rules-of-hooks": "error",
"react-hooks/exhaustive-deps": "warn",

View File

@ -1 +1,5 @@
src/components/payment-methods/code/code.js
static/rest_framework/**
static/admin/**
static/frontend/**
static/import_export/**

View File

@ -1,9 +1,5 @@
{
"presets": [
"@babel/preset-env",
"@babel/preset-react",
"@babel/preset-typescript"
],
"presets": ["@babel/preset-env", "@babel/preset-react", "@babel/preset-typescript"],
"plugins": [
[
"@babel/plugin-transform-runtime",

View File

@ -1,6 +1,6 @@
{
"name": "frontend",
"version": "1.0.0",
"version": "0.2.0",
"description": "",
"main": "index.js",
"scripts": {
@ -9,7 +9,7 @@
"build": "webpack --mode production",
"lint": "eslint src/**/*.{js,ts,tsx}",
"lint:fix": "eslint --fix 'src/**/*.{js,ts,tsx}'",
"format": "prettier --write 'src/**/*.{js,jsx,ts,tsx,css,md,json}' --config ./.prettierrc"
"format": "prettier --write '**/**/*.{js,jsx,ts,tsx,css,md,json}' --config ./.prettierrc"
},
"keywords": [],
"author": "",

View File

@ -32,9 +32,16 @@ import PriceChangeIcon from '@mui/icons-material/PriceChange';
// Missing flags
import { CataloniaFlag, BasqueCountryFlag } from './Icons';
import { CommunityDialog, ExchangeSummaryDialog, ProfileDialog, StatsDialog } from './Dialogs';
import {
CommunityDialog,
ExchangeSummaryDialog,
ProfileDialog,
StatsDialog,
UpdateClientDialog,
} from './Dialogs';
import { getCookie } from '../utils/cookies';
import checkVer from '../utils/checkVer';
class BottomBar extends Component {
constructor(props) {
@ -44,6 +51,7 @@ class BottomBar extends Component {
openCommuniy: false,
openExchangeSummary: false,
openClaimRewards: false,
openUpdateClient: false,
num_public_buy_orders: 0,
num_public_sell_orders: 0,
book_liquidity: 0,
@ -72,9 +80,14 @@ class BottomBar extends Component {
getInfo() {
this.setState(null);
apiClient.get('/api/info/').then(
(data) =>
this.setState(data) &
apiClient.get('/api/info/').then((data) => {
const versionInfo = checkVer(data.version.major, data.version.minor, data.version.patch);
this.setState({
...data,
openUpdateClient: versionInfo.updateAvailable,
coordinatorVersion: versionInfo.coordinatorVersion,
clientVersion: versionInfo.clientVersion,
});
this.props.setAppState({
nickname: data.nickname,
loading: false,
@ -87,8 +100,8 @@ class BottomBar extends Component {
earnedRewards: data.earned_rewards,
lastDayPremium: data.last_day_nonkyc_btc_premium,
stealthInvoices: data.wants_stealth,
}),
);
});
});
}
handleClickOpenStatsForNerds = () => {
@ -631,6 +644,13 @@ class BottomBar extends Component {
handleClickCloseCommunity={this.handleClickCloseCommunity}
/>
<UpdateClientDialog
open={this.state.openUpdateClient}
coordinatorVersion={this.state.coordinatorVersion}
clientVersion={this.state.clientVersion}
handleClickClose={() => this.setState({ openUpdateClient: false })}
/>
<ExchangeSummaryDialog
isOpen={this.state.openExchangeSummary}
handleClickCloseExchangeSummary={this.handleClickCloseExchangeSummary}

View File

@ -0,0 +1,114 @@
import React from 'react';
import { useTranslation } from 'react-i18next';
import {
Dialog,
DialogContent,
DialogActions,
Button,
Divider,
List,
ListItemText,
ListItem,
ListItemIcon,
ListItemButton,
Typography,
} from '@mui/material';
import WebIcon from '@mui/icons-material/Web';
import AndroidIcon from '@mui/icons-material/Android';
import UpcomingIcon from '@mui/icons-material/Upcoming';
interface Props {
open: boolean;
clientVersion: string;
coordinatorVersion: string;
handleClickClose: () => void;
}
const UpdateClientDialog = ({
open,
clientVersion,
coordinatorVersion,
handleClickClose,
}: Props): JSX.Element => {
const { t } = useTranslation();
return (
<Dialog open={open} onClose={handleClickClose}>
<DialogContent>
<Typography component='h5' variant='h5'>
{t('Update your RoboSats client')}
</Typography>
<br />
<Typography>
{t(
'The RoboSats coordinator is on version {{coordinatorVersion}}, but your client app is {{clientVersion}}. This version mismatch might lead to a bad user experience.',
{ coordinatorVersion: coordinatorVersion, clientVersion: clientVersion },
)}
</Typography>
<List dense>
<ListItemButton
component='a'
target='_blank'
href={`https://github.com/Reckless-Satoshi/robosats/releases/tag/${coordinatorVersion}`}
rel='noreferrer'
>
<ListItemIcon>
<AndroidIcon color='primary' sx={{ height: 32, width: 32 }} />
</ListItemIcon>
<ListItemText
secondary={t('Download RoboSats {{coordinatorVersion}} APK from Github releases', {
coordinatorVersion: coordinatorVersion,
})}
primary={t('On Android RoboSats app ')}
/>
</ListItemButton>
<Divider />
<ListItemButton
component='a'
target='_blank'
href={`https://hub.docker.com/r/recksato/robosats-client`}
rel='noreferrer'
>
<ListItemIcon>
<UpcomingIcon color='primary' sx={{ height: 32, width: 32 }} />
</ListItemIcon>
<ListItemText
secondary={t("Check your node's store or update the Docker image yourself")}
primary={t('On your own soverign node')}
/>
</ListItemButton>
<Divider />
<ListItemButton component='a' onClick={() => location.reload(true)}>
<ListItemIcon>
<WebIcon color='primary' sx={{ height: 32, width: 32 }} />
</ListItemIcon>
<ListItemText
secondary={t(
'On Tor Browser client simply refresh your tab (click here or press Ctrl+Shift+R)',
)}
primary={t('On remotely served browser client')}
/>
</ListItemButton>
<DialogActions>
<Button onClick={handleClickClose}>{t('Go away!')}</Button>
</DialogActions>
</List>
</DialogContent>
</Dialog>
);
};
export default UpdateClientDialog;

View File

@ -8,3 +8,4 @@ export { default as ExchangeSummaryDialog } from './ExchangeSummary';
export { default as ProfileDialog } from './Profile';
export { default as StatsDialog } from './Stats';
export { default as EnableTelegramDialog } from './EnableTelegram';
export { default as UpdateClientDialog } from './UpdateClient';

View File

@ -0,0 +1,25 @@
import packageJson from '../../package.json';
// Gets SemVer from backend /api/info and compares to local imported frontend version "localVer". Uses major,minor,patch.
// If minor of backend > minor of frontend, updateAvailable = true.
export const checkVer: (
major: number | null,
minor: number | null,
patch: number | null,
) => object = (major, minor, patch) => {
if (major === null || minor === null || patch === null) {
return { updateAvailable: null };
}
const semver = packageJson.version.split('.');
const updateAvailable = major > Number(semver[0]) || minor > Number(semver[1]);
const patchAvailable = !updateAvailable && patch > Number(semver[2]);
return {
updateAvailable: updateAvailable,
patchAvailable: patchAvailable,
coordinatorVersion: `v${major}.${minor}.${patch}`,
clientVersion: `v${semver[0]}.${semver[1]}.${semver[2]}`,
};
};
export default checkVer;

View File

@ -1,73 +1,73 @@
{
"1":"USD",
"2":"EUR",
"3":"JPY",
"4":"GBP",
"5":"AUD",
"6":"CAD",
"7":"CHF",
"8":"CNY",
"9":"HKD",
"10":"NZD",
"11":"SEK",
"12":"KRW",
"13":"SGD",
"14":"NOK",
"15":"MXN",
"16":"BYN",
"17":"RUB",
"18":"ZAR",
"19":"TRY",
"20":"BRL",
"21":"CLP",
"22":"CZK",
"23":"DKK",
"24":"HRK",
"25":"HUF",
"26":"INR",
"27":"ISK",
"28":"PLN",
"29":"RON",
"30":"ARS",
"31":"VES",
"32":"COP",
"33":"PEN",
"34":"UYU",
"35":"PYG",
"36":"BOB",
"37":"IDR",
"38":"ANG",
"39":"CRC",
"40":"CUP",
"41":"DOP",
"42":"GHS",
"43":"GTQ",
"44":"ILS",
"45":"JMD",
"46":"KES",
"47":"KZT",
"48":"MYR",
"49":"NAD",
"50":"NGN",
"51":"AZN",
"52":"PAB",
"53":"PHP",
"54":"PKR",
"55":"QAR",
"56":"SAR",
"57":"THB",
"58":"TTD",
"59":"VND",
"60":"XOF",
"61":"TWD",
"62":"TZS",
"63":"XAF",
"64":"UAH",
"65":"EGP",
"66":"LKR",
"67":"MAD",
"68":"AED",
"69":"TND",
"300":"XAU",
"1000":"BTC"
"1": "USD",
"2": "EUR",
"3": "JPY",
"4": "GBP",
"5": "AUD",
"6": "CAD",
"7": "CHF",
"8": "CNY",
"9": "HKD",
"10": "NZD",
"11": "SEK",
"12": "KRW",
"13": "SGD",
"14": "NOK",
"15": "MXN",
"16": "BYN",
"17": "RUB",
"18": "ZAR",
"19": "TRY",
"20": "BRL",
"21": "CLP",
"22": "CZK",
"23": "DKK",
"24": "HRK",
"25": "HUF",
"26": "INR",
"27": "ISK",
"28": "PLN",
"29": "RON",
"30": "ARS",
"31": "VES",
"32": "COP",
"33": "PEN",
"34": "UYU",
"35": "PYG",
"36": "BOB",
"37": "IDR",
"38": "ANG",
"39": "CRC",
"40": "CUP",
"41": "DOP",
"42": "GHS",
"43": "GTQ",
"44": "ILS",
"45": "JMD",
"46": "KES",
"47": "KZT",
"48": "MYR",
"49": "NAD",
"50": "NGN",
"51": "AZN",
"52": "PAB",
"53": "PHP",
"54": "PKR",
"55": "QAR",
"56": "SAR",
"57": "THB",
"58": "TTD",
"59": "VND",
"60": "XOF",
"61": "TWD",
"62": "TZS",
"63": "XAF",
"64": "UAH",
"65": "EGP",
"66": "LKR",
"67": "MAD",
"68": "AED",
"69": "TND",
"300": "XAU",
"1000": "BTC"
}

View File

@ -6,247 +6,259 @@
font-display: swap;
src: url(/static/css/fonts/roboto-1.woff2) format('woff2');
unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F, U+FE2E-FE2F;
}
/* cyrillic */
@font-face {
}
/* cyrillic */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-2.woff2) format('woff2');
unicode-range: U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;
}
/* greek-ext */
@font-face {
}
/* greek-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-3.woff2) format('woff2');
unicode-range: U+1F00-1FFF;
}
/* greek */
@font-face {
}
/* greek */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-4.woff2) format('woff2');
unicode-range: U+0370-03FF;
}
/* vietnamese */
@font-face {
}
/* vietnamese */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-5.woff2) format('woff2');
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0, U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0,
U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-6.woff2) format('woff2');
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113,
U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
font-display: swap;
src: url(/static/css/fonts/roboto-7.woff2) format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F,
U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-8.woff2) format('woff2');
unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F, U+FE2E-FE2F;
}
/* cyrillic */
@font-face {
}
/* cyrillic */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-9.woff2) format('woff2');
unicode-range: U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;
}
/* greek-ext */
@font-face {
}
/* greek-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-10.woff2) format('woff2');
unicode-range: U+1F00-1FFF;
}
/* greek */
@font-face {
}
/* greek */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-11.woff2) format('woff2');
unicode-range: U+0370-03FF;
}
/* vietnamese */
@font-face {
}
/* vietnamese */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-12.woff2) format('woff2');
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0, U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0,
U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-13.woff2) format('woff2');
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113,
U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url(/static/css/fonts/roboto-14.woff2) format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F,
U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-15.woff2) format('woff2');
unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F, U+FE2E-FE2F;
}
/* cyrillic */
@font-face {
}
/* cyrillic */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-16.woff2) format('woff2');
unicode-range: U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;
}
/* greek-ext */
@font-face {
}
/* greek-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-17.woff2) format('woff2');
unicode-range: U+1F00-1FFF;
}
/* greek */
@font-face {
}
/* greek */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-18.woff2) format('woff2');
unicode-range: U+0370-03FF;
}
/* vietnamese */
@font-face {
}
/* vietnamese */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-19.woff2) format('woff2');
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0, U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0,
U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-20.woff2) format('woff2');
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113,
U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 500;
font-display: swap;
src: url(/static/css/fonts/roboto-21.woff2) format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F,
U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* cyrillic-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-22.woff2) format('woff2');
unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F, U+FE2E-FE2F;
}
/* cyrillic */
@font-face {
}
/* cyrillic */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-23.woff2) format('woff2');
unicode-range: U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;
}
/* greek-ext */
@font-face {
}
/* greek-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-24.woff2) format('woff2');
unicode-range: U+1F00-1FFF;
}
/* greek */
@font-face {
}
/* greek */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-25.woff2) format('woff2');
unicode-range: U+0370-03FF;
}
/* vietnamese */
@font-face {
}
/* vietnamese */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-26.woff2) format('woff2');
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0, U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1, U+01AF-01B0,
U+1EA0-1EF9, U+20AB;
}
/* latin-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-27.woff2) format('woff2');
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
unicode-range: U+0100-024F, U+0259, U+1E00-1EFF, U+2020, U+20A0-20AB, U+20AD-20CF, U+2113,
U+2C60-2C7F, U+A720-A7FF;
}
/* latin */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url(/static/css/fonts/roboto-28.woff2) format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F,
U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}

View File

@ -13,13 +13,13 @@ body {
.loaderSpinner {
color: #90caf9;
}
.loaderSpinner:before{
.loaderSpinner:before {
background: rgb(0, 0, 0);
}
.loaderSpinner:after{
.loaderSpinner:after {
background: rgb(0, 0, 0);
}
.slider{
.slider {
color: #fff;
}
}
@ -38,28 +38,32 @@ body {
}
@keyframes spin {
0% { transform: rotate(0deg); }
100% { transform: rotate(360deg); }
0% {
transform: rotate(0deg);
}
100% {
transform: rotate(360deg);
}
}
.appCenter {
position: absolute;
top: 50%;
left: 50%;
transform: translate(-50%,-50%) translate(0,-20px);
transform: translate(-50%, -50%) translate(0, -20px);
}
.alertUnsafe{
.alertUnsafe {
position: absolute;
width: 100%;
z-index: 9999;
}
.hideAlertButton{
.hideAlertButton {
position: fixed;
}
.clickTrough{
.clickTrough {
height: 50px;
pointer-events: none;
z-index: 1;
@ -71,21 +75,20 @@ input::-webkit-inner-spin-button {
-webkit-appearance: none;
margin: 0;
}
input[type=number] {
input[type='number'] {
-moz-appearance: textfield;
}
.bottomBar {
position: fixed;
bottom: 0;
}
.amboss{
fill:url(#SVGID_1_);
.amboss {
fill: url(#SVGID_1_);
}
.advancedSwitch{
.advancedSwitch {
width: 20;
left: 50%;
transform: translate(62px, 0px);
@ -126,7 +129,7 @@ input[type=number] {
filter: drop-shadow(0.5px 0.5px 0.5px #000000);
}
.phoneFlippedSmallAvatar img{
.phoneFlippedSmallAvatar img {
transform: scaleX(-1);
border: 1.3px solid #1976d2;
-webkit-filter: grayscale(100%);
@ -136,36 +139,38 @@ input[type=number] {
.phoneFlippedSmallAvatar:after {
content: '';
position: absolute;
top: 0; left: 0; bottom: 0; right: 0;
top: 0;
left: 0;
bottom: 0;
right: 0;
border-radius: 50%;
border: 2.4px solid #1976d2;
box-shadow: inset 0px 0px 35px rgb(255, 255, 255);
}
.MuiButton-textInherit {color : '#111111';}
.MuiButton-textInherit {
color: '#111111';
}
::-webkit-scrollbar
{
::-webkit-scrollbar {
width: 6px; /* for vertical scrollbars */
height: 6px; /* for horizontal scrollbars */
}
}
::-webkit-scrollbar-track
{
::-webkit-scrollbar-track {
background: rgba(0, 0, 0, 0.1);
}
}
::-webkit-scrollbar-thumb
{
::-webkit-scrollbar-thumb {
background: rgba(0, 0, 0, 0.5);
}
}
.MuiDataGrid-columnHeaders + div {
width: auto !important;
}
@media (max-width: 929px) {
.appCenter:has(>div.MuiGrid-root:first-child, >div.MuiBox-root:first-child) {
.appCenter:has(> div.MuiGrid-root:first-child, > div.MuiBox-root:first-child) {
overflow-y: scroll;
margin-top: 12px;
padding-bottom: 25px;

View File

@ -1,15 +1,14 @@
.loaderCenter{
margin:0 auto;
.loaderCenter {
margin: 0 auto;
position: absolute;
left:50%;
top:50%;
margin-top:-120px;
margin-left:-175px;
width:350px;
height:120px;
left: 50%;
top: 50%;
margin-top: -120px;
margin-left: -175px;
width: 350px;
height: 120px;
text-align: center;
}
}
.loaderSpinner,
.loaderSpinner:before,

View File

@ -1,26 +1,21 @@
{
"coordinator_1": {
"alias":"Maximalist",
"alias": "Maximalist",
"description": "Maximalist Robots. P2P for freedom. No trade limits, low fees.",
"cover_letter": "Hi! I am Mike. I'm a freedom activist based in TorLand. I have been running LN infrastructure since early 2019, long time FOSS contributor....",
"contact_methods": {
"email":"maximalist@bitcoin.p2p",
"telegram":"maximalist_robot",
".....":"...."
"email": "maximalist@bitcoin.p2p",
"telegram": "maximalist_robot",
".....": "...."
},
"color": "#FFFFFF",
"mainnet_onion":"robomaxim......onion",
"mainnet_onion": "robomaxim......onion",
"testnet_onion": null,
"mainnet_ln_nodes_pubkeys": [
"03e96as....",
"02aaecc...."
],
"testnet_ln_nodes_pubkeys": [
"0284ff2...."
],
"logo_svg_200x200": "<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" version=\"1.1\" width=\"120\" height=\"120\"> <rect x=\"14\" y=\"23\" width=\"200\" height=\"50\" fill=\"lime\" stroke=\"black\" \/> <\/svg>"
"mainnet_ln_nodes_pubkeys": ["03e96as....", "02aaecc...."],
"testnet_ln_nodes_pubkeys": ["0284ff2...."],
"logo_svg_200x200": "<svg xmlns=\"http://www.w3.org/2000/svg\" version=\"1.1\" width=\"120\" height=\"120\"> <rect x=\"14\" y=\"23\" width=\"200\" height=\"50\" fill=\"lime\" stroke=\"black\" /> </svg>"
},
"coordinator_2": {
"...":"..."
}
"...": "..."
}
}

File diff suppressed because one or more lines are too long

View File

@ -1,7 +0,0 @@
/*!****************************************!*\
!*** ./node_modules/jsqr/dist/jsQR.js ***!
\****************************************/
/*!*************************************************************!*\
!*** ./node_modules/react-webcam-qr-scanner/dist/Worker.js ***!
\*************************************************************/

File diff suppressed because one or more lines are too long

View File

@ -1,3 +0,0 @@
/*!****************************************!*\
!*** ./node_modules/jsqr/dist/jsQR.js ***!
\****************************************/

View File

@ -3,514 +3,505 @@
"You are not using RoboSats privately": "No estàs emprant RoboSats de forma privada",
"desktop_unsafe_alert": "Algunes funcions (com el xat) estan deshabilitades per protegir i sense elles no podràs completar un intercanvi. Per protegir la teva privacitat i habilitar RoboSats per complet, fes servir <1>Tor Browser</1> i visita el <3>Onion</3> site.",
"phone_unsafe_alert": "No podràs completar un intercanvi. Fes servir <1>Tor Browser</1> i vista el <3>Onion</3> site.",
"Hide":"Amagar",
"Hide": "Amagar",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Intercanvi LN P2P Fàcil y Privat",
"This is your trading avatar":"Aquest és el teu Robot de compravenda",
"Store your token safely":"Guarda el teu token de manera segura",
"A robot avatar was found, welcome back!":"S'ha trobat un Robot, benvingut de nou!",
"Copied!":"Copiat!",
"Generate a new token":"Genera un nou token",
"Generate Robot":"Generar Robot",
"You must enter a new token first":"Primer introdueix un nou token",
"Make Order":"Crear ordre",
"Info":"Info",
"View Book":"Veure Llibre",
"Learn RoboSats":"Aprèn RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Visitaràs la pàgina Learn RoboSats. Ha estat construïda per la comunitat i conté tutorials i documentació que t'ajudarà a aprendre como s'utilitza RoboSats i a entendre com funciona.",
"Let's go!":"Som-hi!",
"Save token and PGP credentials to file":"Guardar arxiu amb token y credencials PGP",
"This is your trading avatar": "Aquest és el teu Robot de compravenda",
"Store your token safely": "Guarda el teu token de manera segura",
"A robot avatar was found, welcome back!": "S'ha trobat un Robot, benvingut de nou!",
"Copied!": "Copiat!",
"Generate a new token": "Genera un nou token",
"Generate Robot": "Generar Robot",
"You must enter a new token first": "Primer introdueix un nou token",
"Make Order": "Crear ordre",
"Info": "Info",
"View Book": "Veure Llibre",
"Learn RoboSats": "Aprèn RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Visitaràs la pàgina Learn RoboSats. Ha estat construïda per la comunitat i conté tutorials i documentació que t'ajudarà a aprendre como s'utilitza RoboSats i a entendre com funciona.",
"Let's go!": "Som-hi!",
"Save token and PGP credentials to file": "Guardar arxiu amb token y credencials PGP",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Ordre",
"Customize":"Personalitzar",
"Buy or Sell Bitcoin?":"Comprar o Vendre Bitcoin?",
"Buy":"Comprar",
"Sell":"Vendre",
"Amount":"Suma",
"Amount of fiat to exchange for bitcoin":"Suma de fiat a canviar per bitcoin",
"Invalid":"No vàlid",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Introdueix els teus mètodes de pagament. Es recomanen encaridament mètodes ràpids.",
"Must be shorter than 65 characters":"Ha de tenir menys de 65 caràcters",
"Swap Destination(s)":"Destí(ns) del Swap",
"Fiat Payment Method(s)":"Mètode(s) de Pagament Fiat",
"You can add any method":"Pots afegir nous mètodes",
"Add New":"Afegir nou",
"Choose a Pricing Method":"Escull com Establir el Preu",
"Relative":"Relatiu",
"Let the price move with the market":"El preu es mourà relatiu al mercat",
"Premium over Market (%)":"Prima sobre el mercat (%)",
"Explicit":"Fix",
"Set a fix amount of satoshis":"Estableix una suma fixa de Sats",
"Satoshis":"Satoshis",
"Fixed price:":"Preu fix:",
"Order current rate:":"Preu actual:",
"Your order fixed exchange rate":"La tasa de canvi fixa de la teva ordre",
"Your order's current exchange rate. Rate will move with the market.":"La taxa de canvi de la teva ordre just en aquests moments. Es mourà relativa al mercat.",
"Let the taker chose an amount within the range":"Permet que el prenedor triï una suma dins el rang",
"Enable Amount Range":"Activar Suma amb Rang",
"Order": "Ordre",
"Customize": "Personalitzar",
"Buy or Sell Bitcoin?": "Comprar o Vendre Bitcoin?",
"Buy": "Comprar",
"Sell": "Vendre",
"Amount": "Suma",
"Amount of fiat to exchange for bitcoin": "Suma de fiat a canviar per bitcoin",
"Invalid": "No vàlid",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Introdueix els teus mètodes de pagament. Es recomanen encaridament mètodes ràpids.",
"Must be shorter than 65 characters": "Ha de tenir menys de 65 caràcters",
"Swap Destination(s)": "Destí(ns) del Swap",
"Fiat Payment Method(s)": "Mètode(s) de Pagament Fiat",
"You can add any method": "Pots afegir nous mètodes",
"Add New": "Afegir nou",
"Choose a Pricing Method": "Escull com Establir el Preu",
"Relative": "Relatiu",
"Let the price move with the market": "El preu es mourà relatiu al mercat",
"Premium over Market (%)": "Prima sobre el mercat (%)",
"Explicit": "Fix",
"Set a fix amount of satoshis": "Estableix una suma fixa de Sats",
"Satoshis": "Satoshis",
"Fixed price:": "Preu fix:",
"Order current rate:": "Preu actual:",
"Your order fixed exchange rate": "La tasa de canvi fixa de la teva ordre",
"Your order's current exchange rate. Rate will move with the market.": "La taxa de canvi de la teva ordre just en aquests moments. Es mourà relativa al mercat.",
"Let the taker chose an amount within the range": "Permet que el prenedor triï una suma dins el rang",
"Enable Amount Range": "Activar Suma amb Rang",
"From": "Des de",
"to":"fins a",
"Expiry Timers":"Temporitzadors",
"Public Duration (HH:mm)":"Duració pública (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Termini límit dipòsit (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Estableix la implicació requerida (augmentar per a més seguretat)",
"Fidelity Bond Size":"Grandària de la fiança",
"Allow bondless takers":"Permetre prenendors sense fiança",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"PRÒXIMAMENT - Alt risc! Limitat a {{limitSats}}K Sats",
"You must fill the order correctly":"Has d'omplir l'ordre correctament",
"Create Order":"Crear ordre",
"Back":"Tornar",
"Create an order for ":"Crear una ordre per ",
"Create a BTC buy order for ":"Crear ordre de compra de bitcoin per ",
"Create a BTC sell order for ":"Crear ordre de venda de bitcoin per ",
" of {{satoshis}} Satoshis":" de {{satoshis}} Sats",
" at market price":" a preu de mercat",
" at a {{premium}}% premium":" amb una prima del {{premium}}%",
" at a {{discount}}% discount":" amb descompte del {{discount}}%",
"Must be less than {{max}}%":"Ha de ser menys del {{max}}%",
"Must be more than {{min}}%":"Ha de ser més del {{min}}%",
"to": "fins a",
"Expiry Timers": "Temporitzadors",
"Public Duration (HH:mm)": "Duració pública (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Termini límit dipòsit (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Estableix la implicació requerida (augmentar per a més seguretat)",
"Fidelity Bond Size": "Grandària de la fiança",
"Allow bondless takers": "Permetre prenendors sense fiança",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "PRÒXIMAMENT - Alt risc! Limitat a {{limitSats}}K Sats",
"You must fill the order correctly": "Has d'omplir l'ordre correctament",
"Create Order": "Crear ordre",
"Back": "Tornar",
"Create an order for ": "Crear una ordre per ",
"Create a BTC buy order for ": "Crear ordre de compra de bitcoin per ",
"Create a BTC sell order for ": "Crear ordre de venda de bitcoin per ",
" of {{satoshis}} Satoshis": " de {{satoshis}} Sats",
" at market price": " a preu de mercat",
" at a {{premium}}% premium": " amb una prima del {{premium}}%",
" at a {{discount}}% discount": " amb descompte del {{discount}}%",
"Must be less than {{max}}%": "Ha de ser menys del {{max}}%",
"Must be more than {{min}}%": "Ha de ser més del {{min}}%",
"Must be less than {{maxSats}": "Ha de ser menys de {{maxSats}}",
"Must be more than {{minSats}}": "Ha de ser més de {{minSats}}",
"Store your robot token":"Guarda el teu token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Pot ser que necessitis recuperar el teu avatar robot al futur: fes còpia de seguretat del token. Pots simplement copiar-ho a una altra aplicació.",
"Done":"Fet",
"You do not have a robot avatar":"No tens un avatar robot",
"You need to generate a robot avatar in order to become an order maker":"Necessites generar un avatar robot abans de crear una ordre",
"Store your robot token": "Guarda el teu token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Pot ser que necessitis recuperar el teu avatar robot al futur: fes còpia de seguretat del token. Pots simplement copiar-ho a una altra aplicació.",
"Done": "Fet",
"You do not have a robot avatar": "No tens un avatar robot",
"You need to generate a robot avatar in order to become an order maker": "Necessites generar un avatar robot abans de crear una ordre",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Sense especificar",
"Instant SEPA":"SEPA Instantània",
"Amazon GiftCard":"Targeta Regal d'Amazon",
"Google Play Gift Code":"Targeta Regal de Google Play",
"Cash F2F":"Efectiu en persona",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Sense especificar",
"Instant SEPA": "SEPA Instantània",
"Amazon GiftCard": "Targeta Regal d'Amazon",
"Google Play Gift Code": "Targeta Regal de Google Play",
"Cash F2F": "Efectiu en persona",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Ven",
"Buyer": "Compra",
"I want to": "Vull",
"Select Order Type": "Selecciona tipus d'ordre",
"ANY_type": "TOT",
"ANY_currency": "TOT",
"BUY": "COMPRAR",
"SELL": "VENDRE",
"and receive": "i rebre",
"and pay with": "i pagar amb",
"and use": "i fer servir",
"Select Payment Currency": "Selecciona moneda de pagament",
"Robot": "Robot",
"Is": "És",
"Currency": "Moneda",
"Payment Method": "Mètode de pagament",
"Pay": "Pagar",
"Price": "Preu",
"Premium": "Prima",
"You are SELLING BTC for {{currencyCode}}": "VENDRE bitcoin per {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "COMPRAR bitcoin per {{currencyCode}}",
"You are looking at all": "Estàs veient-ho tot",
"No orders found to sell BTC for {{currencyCode}}": "No hi ha ordres per vendre bitcoin per {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "No hi ha ordres per comprar bitcoin per {{currencyCode}}",
"Filter has no results": "No hi ha resultats per aquest filtre",
"Be the first one to create an order": "Sigues el primer a crear una ordre",
"Orders per page:": "Ordres per vista:",
"No rows": "No hi ha files",
"No results found.": "No s'han trobat resultats.",
"An error occurred.": "Hi ha hagut un error.",
"Columns": "Columnes",
"Select columns": "Selecciona columnes",
"Find column": "Buscar columna",
"Column title": "Nom de columna",
"Reorder column": "Reordenar columnes",
"Show all": "Mostrar totes",
"Hide all": "Ocultar totes",
"Add filter": "Afegir filtre",
"Delete": "Eliminar",
"Logic operator": "Operador lògic",
"Operator": "Operador",
"And": "I",
"Or": "O",
"Value": "Valor",
"Filter value": "Filtrar valor",
"contains": "conté",
"equals": "igual a",
"starts with": "comença amb",
"ends with": "acaba amb",
"is": "és",
"is not": "no és",
"is after": "està darrere",
"is on or after": "està a o darrere",
"is before": "està davant",
"is on or before": "està a o davant",
"is empty": "està buit",
"is not empty": "no està buit",
"is any of": "és algun de",
"any": "algun",
"true": "veritat",
"false": "fals",
"Menu": "Menú",
"Show columns": "Mostrar columnes",
"Filter": "Filtrar",
"Unsort": "Desordenar",
"Sort by ASC": "Ordenar ascendent",
"Sort by DESC": "Ordenar descendent",
"Sort": "Ordenar",
"Show filters": "Mostrar filtres",
"yes": "si",
"no": "no",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Ven",
"Buyer":"Compra",
"I want to":"Vull",
"Select Order Type":"Selecciona tipus d'ordre",
"ANY_type":"TOT",
"ANY_currency":"TOT",
"BUY":"COMPRAR",
"SELL":"VENDRE",
"and receive":"i rebre",
"and pay with":"i pagar amb",
"and use":"i fer servir",
"Select Payment Currency":"Selecciona moneda de pagament",
"Robot":"Robot",
"Is":"És",
"Currency":"Moneda",
"Payment Method":"Mètode de pagament",
"Pay":"Pagar",
"Price":"Preu",
"Premium":"Prima",
"You are SELLING BTC for {{currencyCode}}":"VENDRE bitcoin per {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"COMPRAR bitcoin per {{currencyCode}}",
"You are looking at all":"Estàs veient-ho tot",
"No orders found to sell BTC for {{currencyCode}}":"No hi ha ordres per vendre bitcoin per {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"No hi ha ordres per comprar bitcoin per {{currencyCode}}",
"Filter has no results":"No hi ha resultats per aquest filtre",
"Be the first one to create an order":"Sigues el primer a crear una ordre",
"Orders per page:":"Ordres per vista:",
"No rows":"No hi ha files",
"No results found.":"No s'han trobat resultats.",
"An error occurred.":"Hi ha hagut un error.",
"Columns":"Columnes",
"Select columns":"Selecciona columnes",
"Find column":"Buscar columna",
"Column title":"Nom de columna",
"Reorder column":"Reordenar columnes",
"Show all":"Mostrar totes",
"Hide all":"Ocultar totes",
"Add filter":"Afegir filtre",
"Delete":"Eliminar",
"Logic operator":"Operador lògic",
"Operator":"Operador",
"And":"I",
"Or":"O",
"Value":"Valor",
"Filter value":"Filtrar valor",
"contains":"conté",
"equals":"igual a",
"starts with":"comença amb",
"ends with":"acaba amb",
"is":"és",
"is not":"no és",
"is after":"està darrere",
"is on or after":"està a o darrere",
"is before":"està davant",
"is on or before":"està a o davant",
"is empty":"està buit",
"is not empty":"no està buit",
"is any of":"és algun de",
"any":"algun",
"true":"veritat",
"false":"fals",
"Menu":"Menú",
"Show columns":"Mostrar columnes",
"Filter":"Filtrar",
"Unsort":"Desordenar",
"Sort by ASC":"Ordenar ascendent",
"Sort by DESC":"Ordenar descendent",
"Sort":"Ordenar",
"Show filters":"Mostrar filtres",
"yes":"si",
"no":"no",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Estadístiques per a nerds",
"LND version":"Versió LND",
"Currently running commit hash":"Hash de la versió actual",
"24h contracted volume":"Volum contractat en 24h",
"Lifetime contracted volume":"Volum contractat total",
"Made with":"Fet amb",
"and":"i",
"... somewhere on Earth!":"... en algun indret de la Terra!",
"Community":"Comunitat",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Només sofereix suport a través de canals públics. Uneix-te a la nostra comunitat de Telegram si tens preguntes o vols passar lestona amb altres Robots genials. Si us plau, utilitza el nostre Github per notificar un error o proposar noves funcionalitats.",
"Join the RoboSats group":"Uneix-te al grup de RoboSats",
"Twitter Official Account":"Compte oficial a Twitter",
"Join RoboSats Spanish speaking community!":"Uneix-te a la nostra comunitat de RoboSats en espanyol!",
"Join RoboSats Russian speaking community!":"Uneix-te a la nostra comunitat de RoboSats en rus!",
"Join RoboSats Chinese speaking community!":"Uneix-te a la nostra comunitat de RoboSats en xinès!",
"Join RoboSats English speaking community!":"Uneix-te a la nostra comunitat de RoboSats en anglès!",
"Tell us about a new feature or a bug":"Proposa funcionalitats o notifica errors",
"Github Issues - The Robotic Satoshis Open Source Project":"Issues de Github - The Robotic Satoshis Open Source Project",
"Your Profile":"El teu perfil",
"Your robot":"El teu Robot",
"One active order #{{orderID}}":"Anar a ordre activa #{{orderID}}",
"Your current order":"La teva ordre actual",
"No active orders":"No hi ha ordres actives",
"Your token (will not remain here)":"El teu token (no romandrà aquí)",
"Back it up!":"Guarda-ho!",
"Cannot remember":"No es pot recordar",
"Rewards and compensations":"Recompenses i compensacions",
"Share to earn 100 Sats per trade":"Comparteix per a guanyar 100 Sats por intercanvi",
"Your referral link":"El teu enllaç de referits",
"Your earned rewards":"Les teves recompenses guanyades",
"Claim":"Retirar",
"Invoice for {{amountSats}} Sats":"Factura per {{amountSats}} Sats",
"Submit":"Enviar",
"There it goes, thank you!🥇":"Aquí va, gràcies!🥇",
"You have an active order":"Tens una ordre activa",
"You can claim satoshis!":"Pots retirar Sats!",
"Public Buy Orders":"Ordres de compra",
"Public Sell Orders":"Ordres de venda",
"Today Active Robots":"Robots actius avui",
"24h Avg Premium":"Prima mitjana en 24h",
"Trade Fee":"Comissió",
"Show community and support links":"Mostrar enllaços de comunitat i suport",
"Show stats for nerds":"Mostrar estadístiques per a nerds",
"Exchange Summary":"Resum de l'Exchange",
"Public buy orders":"Ordres de compra públiques",
"Public sell orders":"Ordres de venta públiques",
"Book liquidity":"Liquiditat en el llibre",
"Today active robots":"Robots actius avui",
"24h non-KYC bitcoin premium":"Prima de bitcoin sense KYC en 24h",
"Maker fee":"Comissió del creador",
"Taker fee":"Comissió del prenedor",
"Number of public BUY orders":"Nº d'ordres públiques de COMPRA",
"Number of public SELL orders":"Nº d'ordres públiques de VENDA",
"Your last order #{{orderID}}":"La teva última ordre #{{orderID}}",
"Inactive order":"Ordre inactiva",
"You do not have previous orders":"No tens ordres prèvies",
"Join RoboSats' Subreddit":"Uneix-te al subreddit de RoboSats",
"RoboSats in Reddit":"RoboSats a Reddit",
"Current onchain payout fee":"Cost actual de rebre onchain",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Estadístiques per a nerds",
"LND version": "Versió LND",
"Currently running commit hash": "Hash de la versió actual",
"24h contracted volume": "Volum contractat en 24h",
"Lifetime contracted volume": "Volum contractat total",
"Made with": "Fet amb",
"and": "i",
"... somewhere on Earth!": "... en algun indret de la Terra!",
"Community": "Comunitat",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Només sofereix suport a través de canals públics. Uneix-te a la nostra comunitat de Telegram si tens preguntes o vols passar lestona amb altres Robots genials. Si us plau, utilitza el nostre Github per notificar un error o proposar noves funcionalitats.",
"Join the RoboSats group": "Uneix-te al grup de RoboSats",
"Twitter Official Account": "Compte oficial a Twitter",
"Join RoboSats Spanish speaking community!": "Uneix-te a la nostra comunitat de RoboSats en espanyol!",
"Join RoboSats Russian speaking community!": "Uneix-te a la nostra comunitat de RoboSats en rus!",
"Join RoboSats Chinese speaking community!": "Uneix-te a la nostra comunitat de RoboSats en xinès!",
"Join RoboSats English speaking community!": "Uneix-te a la nostra comunitat de RoboSats en anglès!",
"Tell us about a new feature or a bug": "Proposa funcionalitats o notifica errors",
"Github Issues - The Robotic Satoshis Open Source Project": "Issues de Github - The Robotic Satoshis Open Source Project",
"Your Profile": "El teu perfil",
"Your robot": "El teu Robot",
"One active order #{{orderID}}": "Anar a ordre activa #{{orderID}}",
"Your current order": "La teva ordre actual",
"No active orders": "No hi ha ordres actives",
"Your token (will not remain here)": "El teu token (no romandrà aquí)",
"Back it up!": "Guarda-ho!",
"Cannot remember": "No es pot recordar",
"Rewards and compensations": "Recompenses i compensacions",
"Share to earn 100 Sats per trade": "Comparteix per a guanyar 100 Sats por intercanvi",
"Your referral link": "El teu enllaç de referits",
"Your earned rewards": "Les teves recompenses guanyades",
"Claim": "Retirar",
"Invoice for {{amountSats}} Sats": "Factura per {{amountSats}} Sats",
"Submit": "Enviar",
"There it goes, thank you!🥇": "Aquí va, gràcies!🥇",
"You have an active order": "Tens una ordre activa",
"You can claim satoshis!": "Pots retirar Sats!",
"Public Buy Orders": "Ordres de compra",
"Public Sell Orders": "Ordres de venda",
"Today Active Robots": "Robots actius avui",
"24h Avg Premium": "Prima mitjana en 24h",
"Trade Fee": "Comissió",
"Show community and support links": "Mostrar enllaços de comunitat i suport",
"Show stats for nerds": "Mostrar estadístiques per a nerds",
"Exchange Summary": "Resum de l'Exchange",
"Public buy orders": "Ordres de compra públiques",
"Public sell orders": "Ordres de venta públiques",
"Book liquidity": "Liquiditat en el llibre",
"Today active robots": "Robots actius avui",
"24h non-KYC bitcoin premium": "Prima de bitcoin sense KYC en 24h",
"Maker fee": "Comissió del creador",
"Taker fee": "Comissió del prenedor",
"Number of public BUY orders": "Nº d'ordres públiques de COMPRA",
"Number of public SELL orders": "Nº d'ordres públiques de VENDA",
"Your last order #{{orderID}}": "La teva última ordre #{{orderID}}",
"Inactive order": "Ordre inactiva",
"You do not have previous orders": "No tens ordres prèvies",
"Join RoboSats' Subreddit": "Uneix-te al subreddit de RoboSats",
"RoboSats in Reddit": "RoboSats a Reddit",
"Current onchain payout fee": "Cost actual de rebre onchain",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Ordre",
"Contract":"Contracte",
"Active":"Actiu",
"Seen recently":"Vist recentment",
"Inactive":"Inactiu",
"(Seller)":"(Venedor)",
"(Buyer)":"(Comprador)",
"Order maker":"Creador",
"Order taker":"Prenedor",
"Order Details":"Detalls",
"Order status":"Estat de l'ordre",
"Waiting for maker bond":"Esperant la fiança del creador",
"Public":"Pública",
"Waiting for taker bond":"Esperant la fiança del prenedor",
"Cancelled":"Cancel·lada",
"Expired":"Expirada",
"Waiting for trade collateral and buyer invoice":"Esperant el col·lateral i la factura del comprador",
"Waiting only for seller trade collateral":"Esperant el col·lateral del vendedor",
"Waiting only for buyer invoice":"Esperant la factura del comprador",
"Sending fiat - In chatroom":"Enviant el fiat - Al xat",
"Fiat sent - In chatroom":"Fiat enviat - Al xat",
"In dispute":"En disputa",
"Collaboratively cancelled":"Cancel·lada col·laborativament",
"Sending satoshis to buyer":"Enviant Sats al comprador",
"Sucessful trade":"Intercanvi exitós",
"Failed lightning network routing":"Enrutament fallit en la xarxa Lightning",
"Wait for dispute resolution":"Espera a la resolució de la disputa",
"Maker lost dispute":"El creador ha perdut la disputa",
"Taker lost dispute":"El prenedor ha perdut la disputa",
"Amount range":"Rang de la suma",
"Swap destination":"Destí del swap",
"Accepted payment methods":"Mètodes de pagament acceptats",
"Others":"Altres",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Prima: {{premium}}%",
"Price and Premium":"Preu i prima",
"Amount of Satoshis":"Quantitat de Sats",
"Premium over market price":"Prima sobre el mercat",
"Order ID":"ID de l'ordre",
"Deposit timer":"Per a dipositar",
"Expires in":"Expira en",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} sol·licita cancel·lar col·laborativament",
"You asked for a collaborative cancellation":"Has sol·licitat cancel·lar col·laborativament",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Factura caducada: no vas confirmar la publicació de l'ordre a temps. Pots crear una nova ordre.",
"This order has been cancelled by the maker":"El creador ha cancel·lat aquesta ordre",
"Invoice expired. You did not confirm taking the order in time.":"La factura retinguda ha expirat. No has confirmat prendre l'ordre a temps.",
"Penalty lifted, good to go!":"Sanció revocada, som-hi!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Encara no pots prendre cap ordre! Espera {{timeMin}}m {{timeSec}}s",
"Too low":"Massa baix",
"Too high":"Massa alt",
"Enter amount of fiat to exchange for bitcoin":"Introdueix la suma de fiat a canviar per bitcoin",
"Amount {{currencyCode}}":"Suma {{currencyCode}}",
"You must specify an amount first":"Primer has d'especificar la suma",
"Take Order":"Prendre ordre",
"Wait until you can take an order":"Espera fins poder prendre una ordre",
"Cancel the order?":"Cancel·lar l'ordre?",
"If the order is cancelled now you will lose your bond.":"Si cancel·les ara l'ordre perdràs la teva fiança.",
"Confirm Cancel":"Confirmar cancel·lació",
"The maker is away":"El creador està ausent",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Prenent aquesta ordre corres el risc de perdre el temps. Si el creador no procedeix a temps, se't compensarà en Sats amb el 50% de la fiança del creador.",
"Collaborative cancel the order?":"Cancel·lar l'ordre col·laborativament?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Donat que el col·lateral està bloquejat, l'ordre només pot cancel·lar-se si tant creador com prenendor ho acorden.",
"Ask for Cancel":"Sol·licitar cancel·lació",
"Cancel":"Cancel·lar",
"Collaborative Cancel":"Cancel·lació col·laborativa",
"Invalid Order Id":"ID d'ordre no vàlida",
"You must have a robot avatar to see the order details":"Has de tenir un Robot per veure els detalls de l'ordre",
"This order has been cancelled collaborativelly":"Aquesta ordre s'ha cancel·lat col·laborativament",
"You are not allowed to see this order":"No tens permís per a veure aquesta ordre",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Els Satoshis Robòtics del magatzem no t'han entès. Si us plau, omple un Bug Issue a Github https://github.com/reckless-satoshi/robosats/issues",
"Order Box": "Ordre",
"Contract": "Contracte",
"Active": "Actiu",
"Seen recently": "Vist recentment",
"Inactive": "Inactiu",
"(Seller)": "(Venedor)",
"(Buyer)": "(Comprador)",
"Order maker": "Creador",
"Order taker": "Prenedor",
"Order Details": "Detalls",
"Order status": "Estat de l'ordre",
"Waiting for maker bond": "Esperant la fiança del creador",
"Public": "Pública",
"Waiting for taker bond": "Esperant la fiança del prenedor",
"Cancelled": "Cancel·lada",
"Expired": "Expirada",
"Waiting for trade collateral and buyer invoice": "Esperant el col·lateral i la factura del comprador",
"Waiting only for seller trade collateral": "Esperant el col·lateral del vendedor",
"Waiting only for buyer invoice": "Esperant la factura del comprador",
"Sending fiat - In chatroom": "Enviant el fiat - Al xat",
"Fiat sent - In chatroom": "Fiat enviat - Al xat",
"In dispute": "En disputa",
"Collaboratively cancelled": "Cancel·lada col·laborativament",
"Sending satoshis to buyer": "Enviant Sats al comprador",
"Sucessful trade": "Intercanvi exitós",
"Failed lightning network routing": "Enrutament fallit en la xarxa Lightning",
"Wait for dispute resolution": "Espera a la resolució de la disputa",
"Maker lost dispute": "El creador ha perdut la disputa",
"Taker lost dispute": "El prenedor ha perdut la disputa",
"Amount range": "Rang de la suma",
"Swap destination": "Destí del swap",
"Accepted payment methods": "Mètodes de pagament acceptats",
"Others": "Altres",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Prima: {{premium}}%",
"Price and Premium": "Preu i prima",
"Amount of Satoshis": "Quantitat de Sats",
"Premium over market price": "Prima sobre el mercat",
"Order ID": "ID de l'ordre",
"Deposit timer": "Per a dipositar",
"Expires in": "Expira en",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} sol·licita cancel·lar col·laborativament",
"You asked for a collaborative cancellation": "Has sol·licitat cancel·lar col·laborativament",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Factura caducada: no vas confirmar la publicació de l'ordre a temps. Pots crear una nova ordre.",
"This order has been cancelled by the maker": "El creador ha cancel·lat aquesta ordre",
"Invoice expired. You did not confirm taking the order in time.": "La factura retinguda ha expirat. No has confirmat prendre l'ordre a temps.",
"Penalty lifted, good to go!": "Sanció revocada, som-hi!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Encara no pots prendre cap ordre! Espera {{timeMin}}m {{timeSec}}s",
"Too low": "Massa baix",
"Too high": "Massa alt",
"Enter amount of fiat to exchange for bitcoin": "Introdueix la suma de fiat a canviar per bitcoin",
"Amount {{currencyCode}}": "Suma {{currencyCode}}",
"You must specify an amount first": "Primer has d'especificar la suma",
"Take Order": "Prendre ordre",
"Wait until you can take an order": "Espera fins poder prendre una ordre",
"Cancel the order?": "Cancel·lar l'ordre?",
"If the order is cancelled now you will lose your bond.": "Si cancel·les ara l'ordre perdràs la teva fiança.",
"Confirm Cancel": "Confirmar cancel·lació",
"The maker is away": "El creador està ausent",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Prenent aquesta ordre corres el risc de perdre el temps. Si el creador no procedeix a temps, se't compensarà en Sats amb el 50% de la fiança del creador.",
"Collaborative cancel the order?": "Cancel·lar l'ordre col·laborativament?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Donat que el col·lateral està bloquejat, l'ordre només pot cancel·lar-se si tant creador com prenendor ho acorden.",
"Ask for Cancel": "Sol·licitar cancel·lació",
"Cancel": "Cancel·lar",
"Collaborative Cancel": "Cancel·lació col·laborativa",
"Invalid Order Id": "ID d'ordre no vàlida",
"You must have a robot avatar to see the order details": "Has de tenir un Robot per veure els detalls de l'ordre",
"This order has been cancelled collaborativelly": "Aquesta ordre s'ha cancel·lat col·laborativament",
"You are not allowed to see this order": "No tens permís per a veure aquesta ordre",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Els Satoshis Robòtics del magatzem no t'han entès. Si us plau, omple un Bug Issue a Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Finestra del xat",
"You":"Tu",
"Peer":"Ell",
"connected":"connectat",
"disconnected":"desconnectat",
"Type a message":"Escriu un missatge",
"Connecting...":"Connectant...",
"Send":"Enviar",
"Verify your privacy":"Verifica la teva privacitat",
"Audit PGP":"Auditar",
"Save full log as a JSON file (messages and credentials)":"Guardar el log complet com JSON (credencials i missatges)",
"Export":"Exporta",
"Don't trust, verify":"No confiïs, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"La teva comunicació s'encripta de punta-a-punta amb OpenPGP. Pots verificar la privacitat d'aquest xat amb qualsevol eina de tercer basada en l'estàndard PGP.",
"Learn how to verify":"Aprèn a verificar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Aquesta és la teva clau pública PGP. La teva contrapart la fa servir per encriptar missatges que només tu pots llegir.",
"Your public key":"La teva clau pública",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"La clau pública PGP de la teva contrapart. La fas servir per encriptar missatges que només ell pot llegir i verificar que és ell qui va signar els missatges que reps.",
"Peer public key":"Clau pública de la teva contrapart",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"La teva clau privada PGP encriptada. La fas servir per desencriptar els missatges que la teva contrapart t'envia. També la fas servir per signar els missatges que li envies.",
"Your encrypted private key":"La teva clau privada encriptada",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"La contrasenya per desencriptar la teva clau privada. Només tu la saps! Mantingues-la en secret. També és el token del teu robot.",
"Your private key passphrase (keep secure!)":"La contrasenya de la teva clau privada (Mantenir segura!)",
"Save credentials as a JSON file":"Guardar credencials com arxiu JSON",
"Keys":"Claus",
"Save messages as a JSON file":"Guardar missatges com arxiu JSON",
"Messages":"Missatges",
"Verified signature by {{nickname}}":"Signatura de {{nickname}} verificada",
"Cannot verify signature of {{nickname}}":"No s'ha pogut verificar la signatura de {{nickname}}",
"CHAT BOX - Chat.js": "Finestra del xat",
"You": "Tu",
"Peer": "Ell",
"connected": "connectat",
"disconnected": "desconnectat",
"Type a message": "Escriu un missatge",
"Connecting...": "Connectant...",
"Send": "Enviar",
"Verify your privacy": "Verifica la teva privacitat",
"Audit PGP": "Auditar",
"Save full log as a JSON file (messages and credentials)": "Guardar el log complet com JSON (credencials i missatges)",
"Export": "Exporta",
"Don't trust, verify": "No confiïs, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "La teva comunicació s'encripta de punta-a-punta amb OpenPGP. Pots verificar la privacitat d'aquest xat amb qualsevol eina de tercer basada en l'estàndard PGP.",
"Learn how to verify": "Aprèn a verificar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Aquesta és la teva clau pública PGP. La teva contrapart la fa servir per encriptar missatges que només tu pots llegir.",
"Your public key": "La teva clau pública",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "La clau pública PGP de la teva contrapart. La fas servir per encriptar missatges que només ell pot llegir i verificar que és ell qui va signar els missatges que reps.",
"Peer public key": "Clau pública de la teva contrapart",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "La teva clau privada PGP encriptada. La fas servir per desencriptar els missatges que la teva contrapart t'envia. També la fas servir per signar els missatges que li envies.",
"Your encrypted private key": "La teva clau privada encriptada",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "La contrasenya per desencriptar la teva clau privada. Només tu la saps! Mantingues-la en secret. També és el token del teu robot.",
"Your private key passphrase (keep secure!)": "La contrasenya de la teva clau privada (Mantenir segura!)",
"Save credentials as a JSON file": "Guardar credencials com arxiu JSON",
"Keys": "Claus",
"Save messages as a JSON file": "Guardar missatges com arxiu JSON",
"Messages": "Missatges",
"Verified signature by {{nickname}}": "Signatura de {{nickname}} verificada",
"Cannot verify signature of {{nickname}}": "No s'ha pogut verificar la signatura de {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Contracte",
"Contract Box": "Contracte",
"Robots show commitment to their peers": "Els Robots han de mostrar el seu compromís",
"Lock {{amountSats}} Sats to PUBLISH order": "Bloqueja {{amountSats}} Sats per a PUBLICAR",
"Lock {{amountSats}} Sats to TAKE order": "Bloqueja {{amountSats}} Sats per a PRENDRE",
"Lock {{amountSats}} Sats as collateral": "Bloqueja {{amountSats}} Sats com a col·lateral",
"Copy to clipboard":"Copiar al portapapers",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Només es cobrarà si cancel·les o si perds una disputa.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Serà alliberada al comprador al confirmar que has rebut {{currencyCode}}.",
"Your maker bond is locked":"La teva fiança de creador està bloquejada",
"Your taker bond is locked":"La teva fiança de prenedor està bloqueada",
"Your maker bond was settled":"La teva fiança s'ha cobrat",
"Your taker bond was settled":"La teva fiança s'ha cobrat",
"Your maker bond was unlocked":"La teva fiança s'ha desbloquejat",
"Your taker bond was unlocked":"La teva fiança s'ha desbloquejat",
"Your order is public":"La teva ordre és pública",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Sigues pacient fins que un robot prengui la teva ordre. Aquesta finestra sonarà 🔊 un cop algun robot prengui la teva ordre. Llavors tindràs {{deposit_timer_hours}}h {{deposit_timer_minutes}}m per respondre, si no respons t'arrisques a perdre la fiança.",
"If the order expires untaken, your bond will return to you (no action needed).":"Si la teva oferta expira sense ser presa, la teva fiança serà desbloquejada a la teva cartera automàticament.",
"Enable Telegram Notifications":"Notificar en Telegram",
"Enable TG Notifications":"Activar Notificacions TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Seràs dut a un xat amb el bot de Telegram de Robosats. Simplement prem Començar. Tingues en compte que si actives les notificaciones de Telegram reduiràs el teu anonimat.",
"Go back":"Tornar",
"Enable":"Activar",
"Telegram enabled":"Telegram activat",
"Public orders for {{currencyCode}}":"Ordres públiques per {{currencyCode}}",
"Copy to clipboard": "Copiar al portapapers",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Només es cobrarà si cancel·les o si perds una disputa.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Serà alliberada al comprador al confirmar que has rebut {{currencyCode}}.",
"Your maker bond is locked": "La teva fiança de creador està bloquejada",
"Your taker bond is locked": "La teva fiança de prenedor està bloqueada",
"Your maker bond was settled": "La teva fiança s'ha cobrat",
"Your taker bond was settled": "La teva fiança s'ha cobrat",
"Your maker bond was unlocked": "La teva fiança s'ha desbloquejat",
"Your taker bond was unlocked": "La teva fiança s'ha desbloquejat",
"Your order is public": "La teva ordre és pública",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Sigues pacient fins que un robot prengui la teva ordre. Aquesta finestra sonarà 🔊 un cop algun robot prengui la teva ordre. Llavors tindràs {{deposit_timer_hours}}h {{deposit_timer_minutes}}m per respondre, si no respons t'arrisques a perdre la fiança.",
"If the order expires untaken, your bond will return to you (no action needed).": "Si la teva oferta expira sense ser presa, la teva fiança serà desbloquejada a la teva cartera automàticament.",
"Enable Telegram Notifications": "Notificar en Telegram",
"Enable TG Notifications": "Activar Notificacions TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Seràs dut a un xat amb el bot de Telegram de Robosats. Simplement prem Començar. Tingues en compte que si actives les notificaciones de Telegram reduiràs el teu anonimat.",
"Go back": "Tornar",
"Enable": "Activar",
"Telegram enabled": "Telegram activat",
"Public orders for {{currencyCode}}": "Ordres públiques per {{currencyCode}}",
"Premium rank": "Percentil de la prima",
"Among public {{currencyCode}} orders (higher is cheaper)": "Entre les ordres públiques de {{currencyCode}} (més alt, més barat)",
"A taker has been found!":"S'ha trobat un prenedor!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Si us plau, espera a que el prenedor bloquegi la seva fiança. Si no ho fa a temps, l'ordre serà pública de nou.",
"A taker has been found!": "S'ha trobat un prenedor!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Si us plau, espera a que el prenedor bloquegi la seva fiança. Si no ho fa a temps, l'ordre serà pública de nou.",
"Payout Lightning Invoice": "Factura Lightning",
"Your info looks good!": "La teva factura és bona!",
"We are waiting for the seller lock the trade amount.": "Esperant a que el venedor bloquegi el col·lateral.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Espera un moment. Si el venedor no deposita, recuperaràs la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"The trade collateral is locked!":"El col·lateral està bloquejat!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Estem esperant a que el comprador enviï una factura Lightning. Quan ho faci, podràs comunicar-li directament els detalls del pagament en fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Espera un moment. Si el comprador no coopera, se't retornarà el col·lateral i la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"Confirm {{amount}} {{currencyCode}} sent":"Confirmar {{amount}} {{currencyCode}} enviat",
"Confirm {{amount}} {{currencyCode}} received":"Confirmar {{amount}} {{currencyCode}} rebut",
"Open Dispute":"Obrir Disputa",
"The order has expired":"L'ordre ha expirat",
"Chat with the buyer":"Parla amb el comprador",
"Chat with the seller":"Parla amb el venedor",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Digues hola! Sigues clar i concís. Escriu-li com pot enviarte {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"El comprador a enviat el fiat. Presiona 'Confirmar rebut' quan ho hagis rebut.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Digues hola! Demana els detalls de pagament i prem 'Confirmar enviat' en quant paguis.",
"Wait for the seller to confirm he has received the payment.":"Espera a que el vendedor confirmi que ha rebut el pagament.",
"Confirm you received {{amount}} {{currencyCode}}?":"Confirmes que has rebut {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Confirmant que has rebut el fiat finalitzarà l'intercanvi. Els Sats del collateral s'enviaran al comparador. Confirma només després d'assegurar que t'hagi arribat {{amount}} {{currencyCode}}. A més, si ho has rebut {{currencyCode}} i no confirmes la recepció, t'arriesques a perdre la teva fiança.",
"Confirm":"Confirmar",
"Trade finished!":"Intercanvi finalitzat!",
"rate_robosats":"Què opines de <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Moltes gràcies! RoboSats també t'estima ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats millora amb més liquiditat i usuaris. Explica-li a un amic bitcoiner sobre RoboSats!",
"Thank you for using Robosats!":"Gràcies per fer servir RoboSats!",
"let_us_know_hot_to_improve":"Diga'ns com podria millorar la plataforma (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Començar de nou",
"Attempting Lightning Payment":"Intentant el pagament Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats està intentant pagar la teva factura de Lightning. Recorda que els nodes Lightning han d'estar en línia per rebre pagaments.",
"Retrying!":"Reintentant!",
"Lightning Routing Failed":"Ha fallat l'enrutament Lightning",
"Your invoice has expired or more than 3 payment attempts have been made. Muun wallet is not recommended. ":"La teva factura ha expirat o s'han fet més de 3 intents de pagament. La cartera Muun no està recomanada. ",
"Check the list of compatible wallets":"Mira la llista de carteres compatibles",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats intentarà pagar la teva factura 3 cops cada 1 minut. Si segueix fallant, podràs presentar una nova factura. Comprova si tens suficient liquiditat entrant. Recorda que els nodes de Lightning han d'estar en línia per poder rebre pagaments.",
"Next attempt in":"Proper intent en",
"Do you want to open a dispute?":"Vols obrir una disputa?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"L'equip de RoboSats examinarà les declaracions i evidències presentades. Com l'equip no pot llegir el xat necessites escriure una declaració completa i exhaustiva. És millor donar un mètode de contacte d'usar i llençar amb la teva declaració. Els Sats del col·lateral seran enviats al guanyador de la disputa, mientres que el perdedor perderà la seva fiança.",
"Disagree":"Tornar",
"Agree and open dispute":"Obrir disputa",
"A dispute has been opened":"Una disputa ha estat oberta",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Si us plau, presenta la teva declaració. Sigues clar i concís sobre que ja passat i entrega l'evidència necessària. HAS DE donar un mètode de contacte per comunicar-te amb l'equip: mètode de contacte d'usar i llençar, XMPP o usuari de Telegram. Les disputes són resoltes amb la discreció dels Robots reals (també coneguts com humans), així doncs ajuda en el possible per assegurar un resultat just. 5000 caràcters màx.",
"Submit dispute statement":"Presentar declaració",
"We have received your statement":"Hem rebut la teva declaració",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Estem esperant la declaració del teu company. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Si us plau, guarda l'informació necessària per identificar la teva ordre i pagaments: ID de l'ordre; claus del pagament de la fiança o el col·lateral (comprova la teva cartera Lightning); quantitat exacta de Sats; i nom del Robot. Tindràs que identificar-te com l'usuari involucrat en aquest intercanvi per email (o altre mètode de contacte).",
"We have the statements":"Tenim la declaració",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Ambdues declaracions se'han rebut, espera a que l'equipo resolgui la disputa. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com. Si no vas donar un mètode de contacte, o dubtes de si ho vas escriure bé, escriu-nos immediatament.",
"You have won the dispute":"Has guanyat la disputa",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Pots retirar la quantitat de la resolució de la disputa (fiança i col·lateral) des de les recompenses del teu perfil. Si creus que l'equip pot fer alguna cosa més, no dubtis a contactar amb robosats@protonmail.com (o a través del mètode de contacte d'usar i llençar que vas especificar).",
"You have lost the dispute":"Has perdut la disputa",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Desafortunadament has perdut la disputa. Si penses que és un error també pots demanar reobrir el cas per email a robosats@protonmail.com. De todas formes, les probabilitats de ser investigat de nou són baixes.",
"Expired not taken":"Expirada sense ser presa",
"Maker bond not locked":"La fiança del creador no va ser bloquejada",
"Escrow not locked":"El dipòsit de garantia no va ser bloquejat",
"Invoice not submitted":"No es va entregar la factura del comprat",
"Neither escrow locked or invoice submitted":"Ni el dipòsit de garantía va ser bloquejat ni es va entregar factura comprador",
"Renew Order":"Renovar Ordre",
"Pause the public order":"Pausar l'ordre pública",
"Your order is paused":"La teva ordre està pausada",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"La teva ordre pública va ser pausada. Ara mateix, l'ordre no pot ser vista ni presa per altres robots. Pots tornar a activarla quan desitgis.",
"Unpause Order":"Activar Ordre",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Si no bloqueges el col·lateral t'arrisques a perdre la teva fiança. Disposes en total de {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Veure bitlleteres compatibles",
"Failure reason:":"Raó de la fallada:",
"Payment isn't failed (yet)":"El pagament no ha fallat encara",
"There are more routes to try, but the payment timeout was exceeded.":"Queden rutes per provar, però el temps màxim de l'intent ha estat excedit.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Totes les rutes possibles han estat provades i han fallat de forma permanent. O potser no hi havia cap ruta.",
"A non-recoverable error has occurred.":"S'ha produït un error no recuperable.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Els detalls del pagament són incorrectes (hash desconegut, quantitat invàlida o CLTV delta final invàlid).",
"Insufficient unlocked balance in RoboSats' node.":"Balanç lliure de ser utilitzat al node de RoboSats insuficient.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"La factura entregada sembla tenir només rutes ocultes molt cares, estàs fent servir una bitlletera incomptable (Potser Muun?). Fes un cop d'ull a la llista de bitlleteres compatibles a wallets.robosats.com",
"The invoice provided has no explicit amount":"La factura entregada no conté una quantitat explícita",
"Does not look like a valid lightning invoice":"No sembla ser una factura lightning vàlida",
"The invoice provided has already expired":"La factura que has entregat ja ha caducat",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Assegura't d' EXPORTAR el registre del xat. Els administradors poden demanar-te elregistre del xat en cas de discrepàncies. És la teva responsabilitat proveir-ho.",
"Does not look like a valid address":"No sembla una adreça de Bitcoin vàlida",
"This is not a bitcoin mainnet address":"No és una direcció de mainnet",
"This is not a bitcoin testnet address":"No és una direcció de testnet",
"Submit payout info for {{amountSats}} Sats":"Envia info per rebre {{amountSats}} Sats",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un moment. Si el venedor no deposita, recuperaràs la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"The trade collateral is locked!": "El col·lateral està bloquejat!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Estem esperant a que el comprador enviï una factura Lightning. Quan ho faci, podràs comunicar-li directament els detalls del pagament en fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un moment. Si el comprador no coopera, se't retornarà el col·lateral i la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmar {{amount}} {{currencyCode}} enviat",
"Confirm {{amount}} {{currencyCode}} received": "Confirmar {{amount}} {{currencyCode}} rebut",
"Open Dispute": "Obrir Disputa",
"The order has expired": "L'ordre ha expirat",
"Chat with the buyer": "Parla amb el comprador",
"Chat with the seller": "Parla amb el venedor",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Digues hola! Sigues clar i concís. Escriu-li com pot enviarte {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "El comprador a enviat el fiat. Presiona 'Confirmar rebut' quan ho hagis rebut.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Digues hola! Demana els detalls de pagament i prem 'Confirmar enviat' en quant paguis.",
"Wait for the seller to confirm he has received the payment.": "Espera a que el vendedor confirmi que ha rebut el pagament.",
"Confirm you received {{amount}} {{currencyCode}}?": "Confirmes que has rebut {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Confirmant que has rebut el fiat finalitzarà l'intercanvi. Els Sats del collateral s'enviaran al comparador. Confirma només després d'assegurar que t'hagi arribat {{amount}} {{currencyCode}}. A més, si ho has rebut {{currencyCode}} i no confirmes la recepció, t'arriesques a perdre la teva fiança.",
"Confirm": "Confirmar",
"Trade finished!": "Intercanvi finalitzat!",
"rate_robosats": "Què opines de <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Moltes gràcies! RoboSats també t'estima ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats millora amb més liquiditat i usuaris. Explica-li a un amic bitcoiner sobre RoboSats!",
"Thank you for using Robosats!": "Gràcies per fer servir RoboSats!",
"let_us_know_hot_to_improve": "Diga'ns com podria millorar la plataforma (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Començar de nou",
"Attempting Lightning Payment": "Intentant el pagament Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats està intentant pagar la teva factura de Lightning. Recorda que els nodes Lightning han d'estar en línia per rebre pagaments.",
"Retrying!": "Reintentant!",
"Lightning Routing Failed": "Ha fallat l'enrutament Lightning",
"Your invoice has expired or more than 3 payment attempts have been made. Muun wallet is not recommended. ": "La teva factura ha expirat o s'han fet més de 3 intents de pagament. La cartera Muun no està recomanada. ",
"Check the list of compatible wallets": "Mira la llista de carteres compatibles",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats intentarà pagar la teva factura 3 cops cada 1 minut. Si segueix fallant, podràs presentar una nova factura. Comprova si tens suficient liquiditat entrant. Recorda que els nodes de Lightning han d'estar en línia per poder rebre pagaments.",
"Next attempt in": "Proper intent en",
"Do you want to open a dispute?": "Vols obrir una disputa?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "L'equip de RoboSats examinarà les declaracions i evidències presentades. Com l'equip no pot llegir el xat necessites escriure una declaració completa i exhaustiva. És millor donar un mètode de contacte d'usar i llençar amb la teva declaració. Els Sats del col·lateral seran enviats al guanyador de la disputa, mientres que el perdedor perderà la seva fiança.",
"Disagree": "Tornar",
"Agree and open dispute": "Obrir disputa",
"A dispute has been opened": "Una disputa ha estat oberta",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Si us plau, presenta la teva declaració. Sigues clar i concís sobre que ja passat i entrega l'evidència necessària. HAS DE donar un mètode de contacte per comunicar-te amb l'equip: mètode de contacte d'usar i llençar, XMPP o usuari de Telegram. Les disputes són resoltes amb la discreció dels Robots reals (també coneguts com humans), així doncs ajuda en el possible per assegurar un resultat just. 5000 caràcters màx.",
"Submit dispute statement": "Presentar declaració",
"We have received your statement": "Hem rebut la teva declaració",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Estem esperant la declaració del teu company. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Si us plau, guarda l'informació necessària per identificar la teva ordre i pagaments: ID de l'ordre; claus del pagament de la fiança o el col·lateral (comprova la teva cartera Lightning); quantitat exacta de Sats; i nom del Robot. Tindràs que identificar-te com l'usuari involucrat en aquest intercanvi per email (o altre mètode de contacte).",
"We have the statements": "Tenim la declaració",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Ambdues declaracions se'han rebut, espera a que l'equipo resolgui la disputa. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com. Si no vas donar un mètode de contacte, o dubtes de si ho vas escriure bé, escriu-nos immediatament.",
"You have won the dispute": "Has guanyat la disputa",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Pots retirar la quantitat de la resolució de la disputa (fiança i col·lateral) des de les recompenses del teu perfil. Si creus que l'equip pot fer alguna cosa més, no dubtis a contactar amb robosats@protonmail.com (o a través del mètode de contacte d'usar i llençar que vas especificar).",
"You have lost the dispute": "Has perdut la disputa",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadament has perdut la disputa. Si penses que és un error també pots demanar reobrir el cas per email a robosats@protonmail.com. De todas formes, les probabilitats de ser investigat de nou són baixes.",
"Expired not taken": "Expirada sense ser presa",
"Maker bond not locked": "La fiança del creador no va ser bloquejada",
"Escrow not locked": "El dipòsit de garantia no va ser bloquejat",
"Invoice not submitted": "No es va entregar la factura del comprat",
"Neither escrow locked or invoice submitted": "Ni el dipòsit de garantía va ser bloquejat ni es va entregar factura comprador",
"Renew Order": "Renovar Ordre",
"Pause the public order": "Pausar l'ordre pública",
"Your order is paused": "La teva ordre està pausada",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "La teva ordre pública va ser pausada. Ara mateix, l'ordre no pot ser vista ni presa per altres robots. Pots tornar a activarla quan desitgis.",
"Unpause Order": "Activar Ordre",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Si no bloqueges el col·lateral t'arrisques a perdre la teva fiança. Disposes en total de {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Veure bitlleteres compatibles",
"Failure reason:": "Raó de la fallada:",
"Payment isn't failed (yet)": "El pagament no ha fallat encara",
"There are more routes to try, but the payment timeout was exceeded.": "Queden rutes per provar, però el temps màxim de l'intent ha estat excedit.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Totes les rutes possibles han estat provades i han fallat de forma permanent. O potser no hi havia cap ruta.",
"A non-recoverable error has occurred.": "S'ha produït un error no recuperable.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Els detalls del pagament són incorrectes (hash desconegut, quantitat invàlida o CLTV delta final invàlid).",
"Insufficient unlocked balance in RoboSats' node.": "Balanç lliure de ser utilitzat al node de RoboSats insuficient.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "La factura entregada sembla tenir només rutes ocultes molt cares, estàs fent servir una bitlletera incomptable (Potser Muun?). Fes un cop d'ull a la llista de bitlleteres compatibles a wallets.robosats.com",
"The invoice provided has no explicit amount": "La factura entregada no conté una quantitat explícita",
"Does not look like a valid lightning invoice": "No sembla ser una factura lightning vàlida",
"The invoice provided has already expired": "La factura que has entregat ja ha caducat",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Assegura't d' EXPORTAR el registre del xat. Els administradors poden demanar-te elregistre del xat en cas de discrepàncies. És la teva responsabilitat proveir-ho.",
"Does not look like a valid address": "No sembla una adreça de Bitcoin vàlida",
"This is not a bitcoin mainnet address": "No és una direcció de mainnet",
"This is not a bitcoin testnet address": "No és una direcció de testnet",
"Submit payout info for {{amountSats}} Sats": "Envia info per rebre {{amountSats}} Sats",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Envia una factura per {{amountSats}} Sats",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.":"Abans de deixar-te enviar {{amountFiat}} {{currencyCode}}, volem assegurar-nos que pots rebre BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.":"RoboSats farà un swap i enviarà els Sats a la teva adreça a la cadena.",
"Swap fee":"Comissió del swap",
"Mining fee":"Comissió minera",
"Mining Fee":"Comissió Minera",
"Final amount you will receive":"Suma final que rebràs",
"Bitcoin Address":"Direcció Bitcoin",
"Your TXID":"El teu TXID",
"Lightning":"Lightning",
"Onchain":"Onchain",
"open_dispute":"Per obrir una disputa has d'esperar <1><1/>",
"Trade Summary":"Resum de l'intercanvi",
"Maker":"Creador",
"Taker":"Prenedor",
"User role":"Operació",
"Sent":"Enviat",
"Received":"Rebut",
"BTC received":"BTC rebut",
"BTC sent":"BTC enviat",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)":"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)",
"Trade fee":"Comisión",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)":"{{swapFeeSats}} Sats ({{swapFeePercent}}%)",
"Onchain swap fee":"Cost swap onchain",
"{{miningFeeSats}} Sats":"{{miningFeeSats}} Sats",
"{{bondSats}} Sats ({{bondPercent}}%)":"{{bondSats}} Sats ({{bondPercent}}%)",
"Maker bond":"Fiança de creador",
"Taker bond":"Fiança de prenedor",
"Unlocked":"Desbloquejada",
"{{revenueSats}} Sats":"{{revenueSats}} Sats",
"Platform trade revenue":"Benefici de la plataforma",
"{{routingFeeSats}} MiliSats":"{{routingFeeSats}} MiliSats",
"Platform covered routing fee":"Cost d'enrutat cobert",
"Timestamp":"Marca d'hora",
"Completed in":"Completat en",
"Contract exchange rate":"Taxa de canvi del contracte",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Abans de deixar-te enviar {{amountFiat}} {{currencyCode}}, volem assegurar-nos que pots rebre BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats farà un swap i enviarà els Sats a la teva adreça a la cadena.",
"Swap fee": "Comissió del swap",
"Mining fee": "Comissió minera",
"Mining Fee": "Comissió Minera",
"Final amount you will receive": "Suma final que rebràs",
"Bitcoin Address": "Direcció Bitcoin",
"Your TXID": "El teu TXID",
"Lightning": "Lightning",
"Onchain": "Onchain",
"open_dispute": "Per obrir una disputa has d'esperar <1><1/>",
"Trade Summary": "Resum de l'intercanvi",
"Maker": "Creador",
"Taker": "Prenedor",
"User role": "Operació",
"Sent": "Enviat",
"Received": "Rebut",
"BTC received": "BTC rebut",
"BTC sent": "BTC enviat",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)": "{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)",
"Trade fee": "Comisión",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)": "{{swapFeeSats}} Sats ({{swapFeePercent}}%)",
"Onchain swap fee": "Cost swap onchain",
"{{miningFeeSats}} Sats": "{{miningFeeSats}} Sats",
"{{bondSats}} Sats ({{bondPercent}}%)": "{{bondSats}} Sats ({{bondPercent}}%)",
"Maker bond": "Fiança de creador",
"Taker bond": "Fiança de prenedor",
"Unlocked": "Desbloquejada",
"{{revenueSats}} Sats": "{{revenueSats}} Sats",
"Platform trade revenue": "Benefici de la plataforma",
"{{routingFeeSats}} MiliSats": "{{routingFeeSats}} MiliSats",
"Platform covered routing fee": "Cost d'enrutat cobert",
"Timestamp": "Marca d'hora",
"Completed in": "Completat en",
"Contract exchange rate": "Taxa de canvi del contracte",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Tancar",
"What is RoboSats?":"Què és RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"És un exchange P2P que facilita intercanvis bitcoin/fiat sobre Lightning.",
"RoboSats is an open source project ":"RoboSats és un projecte de codi obert ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Simplifica l'emparellament i minimitza la necessitat de confiança. RoboSats es centra en la privacitat i la velocitat.",
"(GitHub).":"(GitHub).",
"How does it work?":"Com funciona?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01 vol vendre bitcoin. Ella publica una ordre de venda. BafflingBob02 vol comprar bitcoin i escull l'ordre d'Alicia. Tots dos han de bloquejar una petita fiança en Lightning per provar que són veritables Robots. Després, Alicia envia el col·lateral fent ús també d'una factura de Lightning. RoboSats bloqueja la factura fins que Alicia confirma haver rebut el fiat, després el bitcoin s'allibera i s'envia a Bob. Gaudeix el teu bitcoin, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"En cap moment AnonymousAlice01 ni BafflingBob02 han de confiar els fons de bitcoin a l'altra part. En cas de conflicte, el personal de RoboSats ajudarà a resoldre la disputa.",
"You can find a step-by-step description of the trade pipeline in ":"Pots trobar una descripció pas a pas dels intercanvis a ",
"How it works":"Com funciona",
"You can also check the full guide in ":"També pots revisar la guia sencera a ",
"How to use":"Com utilizar",
"What payment methods are accepted?":"Quins mètodes de pagament s'accepten?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Tots sempre que siguin ràpids. Pots escriure a sota el teu mètode de pagament preferit(s). Hauràs de trobar un company que accepti aquest mètode. El pas per intercanviar el fiat té un temps d'expiració de 24 hores abans no s'obri una disputa automàticament. Et recomanem mètodes d'enviament de fiat.",
"Are there trade limits?":"Hi ha límit d'intercanvis?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Per minimitzar problemes a l'enrutament Lightning, el màxim per intercanvi és de {{maxAmount}} Sats. No hi ha límit d'intercanvis en el temps. Tot i que un Robot només pot intervenir una ordre a la vegada, pots fer servir varis Robots a diferents navegadors (recorda guardar els tokens dels teus Robots!).",
"Is RoboSats private?":"És privat RoboSats?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats no custòdia els teus fons i no recol·lecta o custòdia cap dada personal, doncs no li importa qui ets. RoboSats mai et preguntarà pel teu nom, país o número de document. Per millorar la teva privacitat, fes ús del Navegador Tor i visita el lloc ceba.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"El teu company d'intercanvi és l'únic que pot potencialment esbrinar quelcom sobre tu. Mantingues una conversa curta i concisa. Evita donar dades que no siguin estrictament necessàries pel pagament del fiat.",
"What are the risks?":"Quins són els riscos?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Aquesta és una aplicació experimental, quelcom pot no sortir bé. Intercanvia petites quantitats!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"El venedor té els mateixos riscos de devolució que amb qualsevol altre servei P2P. PayPal o targetes de crèdit no són recomanades.",
"What is the trust model?":"Quin és el model de confiança?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Comprador i venedor mai han de confiar l'un en l'altre. Una mínima confiança en RoboSats és necessària, doncs és l'enllaç entre la fiança del venedor i el pagament del comprador, que no és atòmic (encara). A més, les disputes es resolen pel personal de RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Amb total claredat, els requeriments de confiança són minimitzats. No obstant, encara hi ha una manera de que RoboSats fugi amb els teus Sats: no enviant-li al comprador. Es podria argumentar que aquest moviment malmetria la reputació de RoboSats per només un petit import. De totes formes, hauries de dubtar i només intercanviar petites sumes cada cop. Per grans sumes fes servir un exchange de primera capa com Bisq",
"You can build more trust on RoboSats by inspecting the source code.":"Pots augmentar la confiança en RoboSats inspeccionant el codi font.",
"Project source code":"Codi font del projecte",
"What happens if RoboSats suddenly disappears?":"Què passaria si RoboSats desaparegués?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Els teus Sats et seran retornats. Qualsevol factura no assentada serà automàticament retornada encara que RoboSats desaparegui. Això és cert tant per fiances com pels col·laterals. De totes formes, des de que el venedor confirma haver rebut el fiat i el comprador rep els Sats, hi ha un temps d'aprox. 1 segon en que los fons podrien perdre's si RoboSats desaparegués. Assegura't de tenir suficient liquiditat entrant per evitar errors d'enrutament. Si tens algun problema, busca als canals públics de RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"A molts països utilitzar RoboSats no és diferent a fer servir Ebay o WallaPop. La teva regulació pot variar, és responsabilitat teva el seu compliment.",
"Is RoboSats legal in my country?":"És RoboSats legal al meu país?",
"Disclaimer":"Avís",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Aquesta aplicació de Lightning està en desenvolupament continu i s'entrega tal qual: intercanvia amb la màxima precaució. No hi ha suport privat. El suport s'ofereix només a canals públics.",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats mai et contactarà. RoboSats mai et preguntarà pel token del teu Robot."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Tancar",
"What is RoboSats?": "Què és RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "És un exchange P2P que facilita intercanvis bitcoin/fiat sobre Lightning.",
"RoboSats is an open source project ": "RoboSats és un projecte de codi obert ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Simplifica l'emparellament i minimitza la necessitat de confiança. RoboSats es centra en la privacitat i la velocitat.",
"(GitHub).": "(GitHub).",
"How does it work?": "Com funciona?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01 vol vendre bitcoin. Ella publica una ordre de venda. BafflingBob02 vol comprar bitcoin i escull l'ordre d'Alicia. Tots dos han de bloquejar una petita fiança en Lightning per provar que són veritables Robots. Després, Alicia envia el col·lateral fent ús també d'una factura de Lightning. RoboSats bloqueja la factura fins que Alicia confirma haver rebut el fiat, després el bitcoin s'allibera i s'envia a Bob. Gaudeix el teu bitcoin, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "En cap moment AnonymousAlice01 ni BafflingBob02 han de confiar els fons de bitcoin a l'altra part. En cas de conflicte, el personal de RoboSats ajudarà a resoldre la disputa.",
"You can find a step-by-step description of the trade pipeline in ": "Pots trobar una descripció pas a pas dels intercanvis a ",
"How it works": "Com funciona",
"You can also check the full guide in ": "També pots revisar la guia sencera a ",
"How to use": "Com utilizar",
"What payment methods are accepted?": "Quins mètodes de pagament s'accepten?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Tots sempre que siguin ràpids. Pots escriure a sota el teu mètode de pagament preferit(s). Hauràs de trobar un company que accepti aquest mètode. El pas per intercanviar el fiat té un temps d'expiració de 24 hores abans no s'obri una disputa automàticament. Et recomanem mètodes d'enviament de fiat.",
"Are there trade limits?": "Hi ha límit d'intercanvis?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Per minimitzar problemes a l'enrutament Lightning, el màxim per intercanvi és de {{maxAmount}} Sats. No hi ha límit d'intercanvis en el temps. Tot i que un Robot només pot intervenir una ordre a la vegada, pots fer servir varis Robots a diferents navegadors (recorda guardar els tokens dels teus Robots!).",
"Is RoboSats private?": "És privat RoboSats?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats no custòdia els teus fons i no recol·lecta o custòdia cap dada personal, doncs no li importa qui ets. RoboSats mai et preguntarà pel teu nom, país o número de document. Per millorar la teva privacitat, fes ús del Navegador Tor i visita el lloc ceba.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "El teu company d'intercanvi és l'únic que pot potencialment esbrinar quelcom sobre tu. Mantingues una conversa curta i concisa. Evita donar dades que no siguin estrictament necessàries pel pagament del fiat.",
"What are the risks?": "Quins són els riscos?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Aquesta és una aplicació experimental, quelcom pot no sortir bé. Intercanvia petites quantitats!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "El venedor té els mateixos riscos de devolució que amb qualsevol altre servei P2P. PayPal o targetes de crèdit no són recomanades.",
"What is the trust model?": "Quin és el model de confiança?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Comprador i venedor mai han de confiar l'un en l'altre. Una mínima confiança en RoboSats és necessària, doncs és l'enllaç entre la fiança del venedor i el pagament del comprador, que no és atòmic (encara). A més, les disputes es resolen pel personal de RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Amb total claredat, els requeriments de confiança són minimitzats. No obstant, encara hi ha una manera de que RoboSats fugi amb els teus Sats: no enviant-li al comprador. Es podria argumentar que aquest moviment malmetria la reputació de RoboSats per només un petit import. De totes formes, hauries de dubtar i només intercanviar petites sumes cada cop. Per grans sumes fes servir un exchange de primera capa com Bisq",
"You can build more trust on RoboSats by inspecting the source code.": "Pots augmentar la confiança en RoboSats inspeccionant el codi font.",
"Project source code": "Codi font del projecte",
"What happens if RoboSats suddenly disappears?": "Què passaria si RoboSats desaparegués?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Els teus Sats et seran retornats. Qualsevol factura no assentada serà automàticament retornada encara que RoboSats desaparegui. Això és cert tant per fiances com pels col·laterals. De totes formes, des de que el venedor confirma haver rebut el fiat i el comprador rep els Sats, hi ha un temps d'aprox. 1 segon en que los fons podrien perdre's si RoboSats desaparegués. Assegura't de tenir suficient liquiditat entrant per evitar errors d'enrutament. Si tens algun problema, busca als canals públics de RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "A molts països utilitzar RoboSats no és diferent a fer servir Ebay o WallaPop. La teva regulació pot variar, és responsabilitat teva el seu compliment.",
"Is RoboSats legal in my country?": "És RoboSats legal al meu país?",
"Disclaimer": "Avís",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Aquesta aplicació de Lightning està en desenvolupament continu i s'entrega tal qual: intercanvia amb la màxima precaució. No hi ha suport privat. El suport s'ofereix només a canals públics.",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats mai et contactarà. RoboSats mai et preguntarà pel token del teu Robot."
}

View File

@ -3,511 +3,503 @@
"You are not using RoboSats privately": "Nepoužíváš Robosats bezpečně.",
"desktop_unsafe_alert": "Některé funkce byly vypnuty pro tvou bezpečnost (např. chat) bez níchž nebudeš moct dokončit obchod. Abys využil všechny funkce a ochranil své soukromí, použij <1>Tor Browser</1> a navšťiv <3>Onion</3> stránku.",
"phone_unsafe_alert": "Nebudeš moct dokončit obchod. Použij <1>Tor Browser</1> a navšťiv <3>Onion</3> stránku.",
"Hide":"Skrýt",
"Hide": "Skrýt",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Jednoduchá LN P2P burza",
"This is your trading avatar":"Toto je tvůj uživatelský avatar",
"Store your token safely":"Ulož si svůj token bezpečně",
"A robot avatar was found, welcome back!":"Uživatelský avatar byl nalezen, vítej zpět!",
"Copied!":"Zkopirováno!!",
"Generate a new token":"Generovat nový token",
"Generate Robot":"Generovat Robota",
"You must enter a new token first":"Nejprvne musíš vložit nový token",
"Make Order":"Vytvořit nabídku",
"Info":"Info",
"View Book":"Zobrazit nabídky",
"Learn RoboSats":"Více o RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Chystáš se navštívit výukovou stránku RoboSats. Stránka obsahuje tutoriály a dokumentaci, které ti pomohou pochopit jak funguje RoboSats.",
"Let's go!":"Navštívit!",
"Save token and PGP credentials to file":"Uložit soubor s tokenem a PGP klíčem",
"This is your trading avatar": "Toto je tvůj uživatelský avatar",
"Store your token safely": "Ulož si svůj token bezpečně",
"A robot avatar was found, welcome back!": "Uživatelský avatar byl nalezen, vítej zpět!",
"Copied!": "Zkopirováno!!",
"Generate a new token": "Generovat nový token",
"Generate Robot": "Generovat Robota",
"You must enter a new token first": "Nejprvne musíš vložit nový token",
"Make Order": "Vytvořit nabídku",
"Info": "Info",
"View Book": "Zobrazit nabídky",
"Learn RoboSats": "Více o RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Chystáš se navštívit výukovou stránku RoboSats. Stránka obsahuje tutoriály a dokumentaci, které ti pomohou pochopit jak funguje RoboSats.",
"Let's go!": "Navštívit!",
"Save token and PGP credentials to file": "Uložit soubor s tokenem a PGP klíčem",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Nabídka",
"Customize":"Přizpůsobit",
"Buy or Sell Bitcoin?":"Nákup nebo prodej Bitcoinu?",
"Buy":"Nákup",
"Sell":"Prodej",
"Amount":"Částka",
"Amount of fiat to exchange for bitcoin":"Částka fiat měny za bitcoin",
"Invalid":"Neplatné",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Zadej preferovaný způsob platby. Doporučujeme okamžité platby.",
"Must be shorter than 65 characters":"Maximálně 65 znaků",
"Swap Destination(s)":"Swap adresa",
"Fiat Payment Method(s)":"Možnosti fiat plateb",
"You can add any method":"Můžeš přidat jakýkoliv způsob platby",
"Add New":"Přidat",
"Choose a Pricing Method":"Vyber metodu stanovení ceny",
"Relative":"Plovoucí",
"Let the price move with the market":"Nech cenu pohybovat se s trhem",
"Premium over Market (%)":"Prémium vůči tržní ceně (%)",
"Explicit":"Pevně daná",
"Set a fix amount of satoshis":"Nastavit fixní částku satoshi ",
"Satoshis":"Satoshi",
"Fixed price:":"Fixní cena:",
"Order current rate:":"Aktuální kurz nabídky:",
"Your order fixed exchange rate":"Pevný směnný kurz tvé nabídky",
"Your order's current exchange rate. Rate will move with the market.":"Kurz tvé nabídky. Kurz se bude pohybovat s trhem.",
"Let the taker chose an amount within the range":"Nech příjemce vybrat částku v rámci rozmezí",
"Enable Amount Range":"Povolit rozmezí částky",
"Order": "Nabídka",
"Customize": "Přizpůsobit",
"Buy or Sell Bitcoin?": "Nákup nebo prodej Bitcoinu?",
"Buy": "Nákup",
"Sell": "Prodej",
"Amount": "Částka",
"Amount of fiat to exchange for bitcoin": "Částka fiat měny za bitcoin",
"Invalid": "Neplatné",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Zadej preferovaný způsob platby. Doporučujeme okamžité platby.",
"Must be shorter than 65 characters": "Maximálně 65 znaků",
"Swap Destination(s)": "Swap adresa",
"Fiat Payment Method(s)": "Možnosti fiat plateb",
"You can add any method": "Můžeš přidat jakýkoliv způsob platby",
"Add New": "Přidat",
"Choose a Pricing Method": "Vyber metodu stanovení ceny",
"Relative": "Plovoucí",
"Let the price move with the market": "Nech cenu pohybovat se s trhem",
"Premium over Market (%)": "Prémium vůči tržní ceně (%)",
"Explicit": "Pevně daná",
"Set a fix amount of satoshis": "Nastavit fixní částku satoshi ",
"Satoshis": "Satoshi",
"Fixed price:": "Fixní cena:",
"Order current rate:": "Aktuální kurz nabídky:",
"Your order fixed exchange rate": "Pevný směnný kurz tvé nabídky",
"Your order's current exchange rate. Rate will move with the market.": "Kurz tvé nabídky. Kurz se bude pohybovat s trhem.",
"Let the taker chose an amount within the range": "Nech příjemce vybrat částku v rámci rozmezí",
"Enable Amount Range": "Povolit rozmezí částky",
"From": "Od",
"to":"do",
"Expiry Timers":"Časovače vypršení platnosti",
"Public Duration (HH:mm)":"Doba zveřejnění (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Časový limit pro vložení do úschovy (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Nastavení kauce, zvyš pro vyšší bezpečnost ",
"Fidelity Bond Size":"Velikost kauce",
"Allow bondless takers":"Povolit protistranu bez kauce",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"JIŽ BRZY - Vysoce riskantní! Maximálně do {{limitSats}}K Sats",
"You must fill the order correctly":"Objednávku je nutné vyplnit správně",
"Create Order":"Vytvořit nabídku",
"Back":"Zpět",
"Create an order for ":"Vytvořit nabídku za ",
"Create a BTC buy order for ":"Vytvořit nabídku na koupi BTC za ",
"Create a BTC sell order for ":"Vytvořit nabídku na prodej BTC za ",
" of {{satoshis}} Satoshis":" {{satoshis}} Satoshi",
" at market price":" tržní ceny",
" at a {{premium}}% premium":" za {{premium}}% přirážku",
" at a {{discount}}% discount":" za {{discount}}% slevu",
"Must be less than {{max}}%":"Musí být méně než {{max}}%",
"Must be more than {{min}}%":"Musí být více než {{min}}%",
"to": "do",
"Expiry Timers": "Časovače vypršení platnosti",
"Public Duration (HH:mm)": "Doba zveřejnění (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Časový limit pro vložení do úschovy (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Nastavení kauce, zvyš pro vyšší bezpečnost ",
"Fidelity Bond Size": "Velikost kauce",
"Allow bondless takers": "Povolit protistranu bez kauce",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "JIŽ BRZY - Vysoce riskantní! Maximálně do {{limitSats}}K Sats",
"You must fill the order correctly": "Objednávku je nutné vyplnit správně",
"Create Order": "Vytvořit nabídku",
"Back": "Zpět",
"Create an order for ": "Vytvořit nabídku za ",
"Create a BTC buy order for ": "Vytvořit nabídku na koupi BTC za ",
"Create a BTC sell order for ": "Vytvořit nabídku na prodej BTC za ",
" of {{satoshis}} Satoshis": " {{satoshis}} Satoshi",
" at market price": " tržní ceny",
" at a {{premium}}% premium": " za {{premium}}% přirážku",
" at a {{discount}}% discount": " za {{discount}}% slevu",
"Must be less than {{max}}%": "Musí být méně než {{max}}%",
"Must be more than {{min}}%": "Musí být více než {{min}}%",
"Must be less than {{maxSats}": "Musí být méně než {{maxSats}}",
"Must be more than {{minSats}}": "Musí být více než {{minSats}}",
"Store your robot token":"Ulož si svůj robot token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Ulož si bezpečně svůj token jednoduše zkopírováním do jiné aplikace. V budoucnu ho možná budeš potřebovat v případě obnovy robota.",
"Done":"Hotovo",
"You do not have a robot avatar":"Nemáš robota a avatar",
"You need to generate a robot avatar in order to become an order maker":"Aby si se mohl stát tvůrcem nabídky musíš si vygenerovat avatar a robota",
"Store your robot token": "Ulož si svůj robot token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Ulož si bezpečně svůj token jednoduše zkopírováním do jiné aplikace. V budoucnu ho možná budeš potřebovat v případě obnovy robota.",
"Done": "Hotovo",
"You do not have a robot avatar": "Nemáš robota a avatar",
"You need to generate a robot avatar in order to become an order maker": "Aby si se mohl stát tvůrcem nabídky musíš si vygenerovat avatar a robota",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"nespecifikováno",
"Instant SEPA":"Okamžitá SEPA",
"Amazon GiftCard":"Amazon dárková karta",
"Google Play Gift Code":"Google Play dárkový kod",
"Cash F2F":"Hotovost v tváří v tvář",
"On-Chain BTC":"On-Chain BTC",
"not specified": "nespecifikováno",
"Instant SEPA": "Okamžitá SEPA",
"Amazon GiftCard": "Amazon dárková karta",
"Google Play Gift Code": "Google Play dárkový kod",
"Cash F2F": "Hotovost v tváří v tvář",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Prodavající",
"Buyer": "Kupující",
"I want to": "Já chci",
"Select Order Type": "Vybrat druh nabídky",
"ANY_type": "VŠE",
"ANY_currency": "VŠE",
"BUY": "KOUPĚ",
"SELL": "PRODEJ",
"and receive": "získat",
"and pay with": "zaplatit s",
"and use": "použít",
"Select Payment Currency": "Vybrat měnu platby",
"Robot": "Robot",
"Is": "Je",
"Currency": "Měna",
"Payment Method": "Platební metoda",
"Pay": "Platba",
"Price": "Cena",
"Premium": "Přirážka",
"You are SELLING BTC for {{currencyCode}}": "PRODÁVAŠ BTC za {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "KUPUJEŠ BTC za {{currencyCode}}",
"You are looking at all": "Prohlížíš si všechny",
"No orders found to sell BTC for {{currencyCode}}": "Žádné nabídky na prodej BTC za {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Žádné nabídky na koupi BTC za {{currencyCode}}",
"Filter has no results": "Filtr nemá žádné výsledky",
"Be the first one to create an order": "Buď první, kdo vytvoří nabídku",
"Orders per page:": "Nabídky na stránku:",
"No rows": "Žádné řádky",
"No results found.": "Nebyly nalezeny žádné výsledky.",
"An error occurred.": "Došlo k chybě.",
"Columns": "Sloupce",
"Select columns": "Vybrat sloupce",
"Find column": "Najít sloupec",
"Column title": "Název sloupce",
"Reorder column": "Změna pořadí sloupce",
"Show all": "Ukázat vše",
"Hide all": "Schovat vše",
"Add filter": "Přidat filter",
"Delete": "Smazat",
"Logic operator": "Logický operátor",
"Operator": "Operátor",
"And": "A",
"Or": "Nebo",
"Value": "Hodnota",
"Filter value": "Filter hodnoty",
"contains": "obsahuje",
"equals": "rovno",
"starts with": "začína s",
"ends with": "končí s",
"is": "je",
"is not": "není",
"is after": "následuje po",
"is on or after": "je zapnuto nebo později",
"is before": "se nachází před ",
"is on or before": "je zapnuto nebo dříve",
"is empty": "je prázdný",
"is not empty": "není prázdný",
"is any of": "je některý z",
"any": "jakýkoliv",
"true": "správný",
"false": "nesprávný",
"Menu": "Menu",
"Show columns": "Ukázat sloupce",
"Filter": "Filtrovat",
"Unsort": "Zrušení řazení",
"Sort by ASC": "Řazení podle ASC",
"Sort by DESC": "Řazení podle DESC",
"Sort": "Řazení",
"Show filters": "Ukázat filtry",
"yes": "ano",
"no": "ne",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Prodavající",
"Buyer":"Kupující",
"I want to":"Já chci",
"Select Order Type":"Vybrat druh nabídky",
"ANY_type":"VŠE",
"ANY_currency":"VŠE",
"BUY":"KOUPĚ",
"SELL":"PRODEJ",
"and receive":"získat",
"and pay with":"zaplatit s",
"and use":"použít",
"Select Payment Currency":"Vybrat měnu platby",
"Robot":"Robot",
"Is":"Je",
"Currency":"Měna",
"Payment Method":"Platební metoda",
"Pay":"Platba",
"Price":"Cena",
"Premium":"Přirážka",
"You are SELLING BTC for {{currencyCode}}":"PRODÁVAŠ BTC za {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"KUPUJEŠ BTC za {{currencyCode}}",
"You are looking at all":"Prohlížíš si všechny",
"No orders found to sell BTC for {{currencyCode}}":"Žádné nabídky na prodej BTC za {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"Žádné nabídky na koupi BTC za {{currencyCode}}",
"Filter has no results":"Filtr nemá žádné výsledky",
"Be the first one to create an order":"Buď první, kdo vytvoří nabídku",
"Orders per page:":"Nabídky na stránku:",
"No rows":"Žádné řádky",
"No results found.":"Nebyly nalezeny žádné výsledky.",
"An error occurred.":"Došlo k chybě.",
"Columns":"Sloupce",
"Select columns":"Vybrat sloupce",
"Find column":"Najít sloupec",
"Column title":"Název sloupce",
"Reorder column":"Změna pořadí sloupce",
"Show all":"Ukázat vše",
"Hide all":"Schovat vše",
"Add filter":"Přidat filter",
"Delete":"Smazat",
"Logic operator":"Logický operátor",
"Operator":"Operátor",
"And":"A",
"Or":"Nebo",
"Value":"Hodnota",
"Filter value":"Filter hodnoty",
"contains":"obsahuje",
"equals":"rovno",
"starts with":"začína s",
"ends with":"končí s",
"is":"je",
"is not":"není",
"is after":"následuje po",
"is on or after":"je zapnuto nebo později",
"is before":"se nachází před ",
"is on or before":"je zapnuto nebo dříve",
"is empty":"je prázdný",
"is not empty":"není prázdný",
"is any of":"je některý z",
"any":"jakýkoliv",
"true":"správný",
"false":"nesprávný",
"Menu":"Menu",
"Show columns":"Ukázat sloupce",
"Filter":"Filtrovat",
"Unsort":"Zrušení řazení",
"Sort by ASC":"Řazení podle ASC",
"Sort by DESC":"Řazení podle DESC",
"Sort":"Řazení",
"Show filters":"Ukázat filtry",
"yes":"ano",
"no":"ne",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Statistiky pro nerdy",
"LND version":"LND verze",
"Currently running commit hash":"Aktuálně běží commit hash",
"24h contracted volume":"Zobchodované množství za 24h",
"Lifetime contracted volume":"Zobchodované množství od spuštění",
"Made with":"Vytvořeno s",
"and":"a",
"... somewhere on Earth!":"... někde na Zemi!",
"Community":"Komunity",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Podpora je poskytována pouze na veřejných kanálech. Přidej se k naší Telegram komunitě, pokud máš otázku nebo se setkat s dalšími cool roboty. Našel jsi bug nebo novou funkci? Navštiv prosím naše Github Issues.",
"Follow RoboSats in Twitter":"Sleduj RoboSats na Twitteru",
"Twitter Official Account":"Oficiální Twitter účet",
"RoboSats Telegram Communities":"RoboSats Telegram komunity",
"Join RoboSats Spanish speaking community!":"Přidej se k španělsky mluvící RoboSats komunitě!",
"Join RoboSats Russian speaking community!":"Přidej se k rusky mluvící RoboSats komunitě!",
"Join RoboSats Chinese speaking community!":"Přidej se k čínsky mluvící RoboSats komunitě!",
"Join RoboSats English speaking community!":"Přidej se k anglicky mluvící RoboSats komunitě!",
"Tell us about a new feature or a bug":"Našel jsi bug nebo novou funkci? Napiš nám ",
"Github Issues - The Robotic Satoshis Open Source Project":"Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile":"Tvůj profil",
"Your robot":"Tvůj robot",
"One active order #{{orderID}}":"Jedná aktivní nabídka #{{orderID}}",
"Your current order":"Tvá aktuální nabídka",
"No active orders":"Žádné aktivní nabídky",
"Your token (will not remain here)":"Tvůj token (nezůstane zde)",
"Back it up!":"Zálohuj to!",
"Cannot remember":"Nepamatuje si",
"Rewards and compensations":"Odměny a kompezace",
"Share to earn 100 Sats per trade":"Sdílej a získej za každý obchod 100 Satů",
"Your referral link":"Tvůj referral odkaz",
"Your earned rewards":"Tvé odměny",
"Claim":"Vybrat",
"Invoice for {{amountSats}} Sats":"Invoice pro {{amountSats}} Satů",
"Submit":"Odeslat",
"There it goes, thank you!🥇":"Tak je to správně, děkujeme!🥇",
"You have an active order":"Máš aktivní nabídku",
"You can claim satoshis!":"Můžeš si vybrat satoshi!",
"Public Buy Orders":"Veřejné nákupní nabídky",
"Public Sell Orders":"Veřejné prodejní nabídky",
"Today Active Robots":"Dnešní aktivní Roboti",
"24h Avg Premium":"Průměrná přirážka za 24h",
"Trade Fee":"Poplatek",
"Show community and support links":"Ukázat odkazy na komunity a podporu",
"Show stats for nerds":"Ukázat statistiky pro nerdy",
"Exchange Summary":"Shrnutí burzy",
"Public buy orders":"Veřejné nákupní nabídky",
"Public sell orders":"Veřejné prodejní nabídky",
"Book liquidity":"Dostupná likvidita",
"Today active robots":"Dnešní aktivní roboti",
"24h non-KYC bitcoin premium":"24h no-KYC bitcoin přirážka",
"Maker fee":"Poplatek tvůrce",
"Taker fee":"Poplatek příjemce",
"Number of public BUY orders":"Množství veřejných nákupních nabídek",
"Number of public SELL orders":"Množství veřejných prodejních nabídek",
"Your last order #{{orderID}}":"Tvá poslední nabídka #{{orderID}}",
"Inactive order":"Neaktivní nabídka",
"You do not have previous orders":"Nemáš předchozí objednávky",
"Join RoboSats' Subreddit":"Přidej se k Subredditu RoboSats",
"RoboSats in Reddit":"RoboSats na Redditu",
"Current onchain payout fee":"Současný poplatek za vyplacení na onchain ",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Statistiky pro nerdy",
"LND version": "LND verze",
"Currently running commit hash": "Aktuálně běží commit hash",
"24h contracted volume": "Zobchodované množství za 24h",
"Lifetime contracted volume": "Zobchodované množství od spuštění",
"Made with": "Vytvořeno s",
"and": "a",
"... somewhere on Earth!": "... někde na Zemi!",
"Community": "Komunity",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Podpora je poskytována pouze na veřejných kanálech. Přidej se k naší Telegram komunitě, pokud máš otázku nebo se setkat s dalšími cool roboty. Našel jsi bug nebo novou funkci? Navštiv prosím naše Github Issues.",
"Follow RoboSats in Twitter": "Sleduj RoboSats na Twitteru",
"Twitter Official Account": "Oficiální Twitter účet",
"RoboSats Telegram Communities": "RoboSats Telegram komunity",
"Join RoboSats Spanish speaking community!": "Přidej se k španělsky mluvící RoboSats komunitě!",
"Join RoboSats Russian speaking community!": "Přidej se k rusky mluvící RoboSats komunitě!",
"Join RoboSats Chinese speaking community!": "Přidej se k čínsky mluvící RoboSats komunitě!",
"Join RoboSats English speaking community!": "Přidej se k anglicky mluvící RoboSats komunitě!",
"Tell us about a new feature or a bug": "Našel jsi bug nebo novou funkci? Napiš nám ",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile": "Tvůj profil",
"Your robot": "Tvůj robot",
"One active order #{{orderID}}": "Jedná aktivní nabídka #{{orderID}}",
"Your current order": "Tvá aktuální nabídka",
"No active orders": "Žádné aktivní nabídky",
"Your token (will not remain here)": "Tvůj token (nezůstane zde)",
"Back it up!": "Zálohuj to!",
"Cannot remember": "Nepamatuje si",
"Rewards and compensations": "Odměny a kompezace",
"Share to earn 100 Sats per trade": "Sdílej a získej za každý obchod 100 Satů",
"Your referral link": "Tvůj referral odkaz",
"Your earned rewards": "Tvé odměny",
"Claim": "Vybrat",
"Invoice for {{amountSats}} Sats": "Invoice pro {{amountSats}} Satů",
"Submit": "Odeslat",
"There it goes, thank you!🥇": "Tak je to správně, děkujeme!🥇",
"You have an active order": "Máš aktivní nabídku",
"You can claim satoshis!": "Můžeš si vybrat satoshi!",
"Public Buy Orders": "Veřejné nákupní nabídky",
"Public Sell Orders": "Veřejné prodejní nabídky",
"Today Active Robots": "Dnešní aktivní Roboti",
"24h Avg Premium": "Průměrná přirážka za 24h",
"Trade Fee": "Poplatek",
"Show community and support links": "Ukázat odkazy na komunity a podporu",
"Show stats for nerds": "Ukázat statistiky pro nerdy",
"Exchange Summary": "Shrnutí burzy",
"Public buy orders": "Veřejné nákupní nabídky",
"Public sell orders": "Veřejné prodejní nabídky",
"Book liquidity": "Dostupná likvidita",
"Today active robots": "Dnešní aktivní roboti",
"24h non-KYC bitcoin premium": "24h no-KYC bitcoin přirážka",
"Maker fee": "Poplatek tvůrce",
"Taker fee": "Poplatek příjemce",
"Number of public BUY orders": "Množství veřejných nákupních nabídek",
"Number of public SELL orders": "Množství veřejných prodejních nabídek",
"Your last order #{{orderID}}": "Tvá poslední nabídka #{{orderID}}",
"Inactive order": "Neaktivní nabídka",
"You do not have previous orders": "Nemáš předchozí objednávky",
"Join RoboSats' Subreddit": "Přidej se k Subredditu RoboSats",
"RoboSats in Reddit": "RoboSats na Redditu",
"Current onchain payout fee": "Současný poplatek za vyplacení na onchain ",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Shrnutí nabídky",
"Contract":"Průvodce obchodem",
"Active":"Aktivní",
"Seen recently":"Viděn nedávno",
"Inactive":"Neaktivní",
"(Seller)":"(Prodavající)",
"(Buyer)":"(Kupující)",
"Order maker":"Tvůrce nabídky",
"Order taker":"Příjemce nabídky",
"Order Details":"Detaily nabídky",
"Order status":"Stav nabídky",
"Waiting for maker bond":"Čeká se na kauci tvůrce",
"Public":"Veřejné",
"Waiting for taker bond":"Čeká se na kauci příjemce",
"Cancelled":"Zrušeno",
"Expired":"Vypršela platnost",
"Waiting for trade collateral and buyer invoice":"Čeká se na kolaterál a kupujícího invoice",
"Waiting only for seller trade collateral":"Čeká se na kolaterál od prodavajícího ",
"Waiting only for buyer invoice":"Čeká se na kupujícího invoice",
"Sending fiat - In chatroom":"Odeslání fiat - V chatu",
"Fiat sent - In chatroom":"Fiat odeslán - V chatu",
"In dispute":"Ve sporu",
"Collaboratively cancelled":"Oboustraně zrušeno",
"Sending satoshis to buyer":"Odeslat satoshi kupujícímu",
"Sucessful trade":"Úspěšný obchod",
"Failed lightning network routing":"Neúspěšný lightning network routing",
"Wait for dispute resolution":"Vyčkej na vyřešení sporu",
"Maker lost dispute":"Tvůrce prohrál spor",
"Taker lost dispute":"Příjemce prohrál spor",
"Amount range":"Rozmezí částky",
"Swap destination":"Swap adresa",
"Accepted payment methods":"Akceptované platební metody",
"Others":"Ostatní",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Přirážka: {{premium}}%",
"Price and Premium":"Cena a přirážka",
"Amount of Satoshis":"Částka Satoshi",
"Premium over market price":"Přirážka oproti tržní ceně",
"Order ID":"Číslo nabídky",
"Deposit timer":"Časovač vkladu",
"Expires in":"Vyprší za",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} žáda o oboustrané zrušení obchodu",
"You asked for a collaborative cancellation":"Žádaš o oboustarné zrušení obchodu",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Invoice vypršela platnost. Zveřejnění objednávky jsi nepotvrdil včas. Proveď novou objednávku.",
"This order has been cancelled by the maker":"Tato nabídka byla zrušena tvůrcem",
"Invoice expired. You did not confirm taking the order in time.":"Invoice vypršela platnost. Přijmutí objednávky jsi nepotvrdil včas.",
"Penalty lifted, good to go!":"Pokuta zrušena, lze pokračovat!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Nabídku nemůžeš zatím příjmout! Počkej {{timeMin}}m {{timeSec}}s",
"Too low":"Nízko",
"Too high":"Vysoko",
"Enter amount of fiat to exchange for bitcoin":"Zadej částku fiat, kterou chceš vyměnit za bitcoin. ",
"Amount {{currencyCode}}":"Částka {{currencyCode}}",
"You must specify an amount first":"Nejprve je třeba zadat částku",
"Take Order":"Příjmout nabídku",
"Wait until you can take an order":"Počkej, až budeš moci přijmout nabídku",
"Cancel the order?":"Zrušit objendávku?",
"If the order is cancelled now you will lose your bond.":"Pokud bude objednávka nyní zrušena, tvoje kauce propadne.",
"Confirm Cancel":"Potvrdit zrušení",
"The maker is away":"Tvůrce není přítomen",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Příjmutím této nabídky riskuješ ztrátu času. Pokud protistrana nedorazí včas, získáš kompezaci v podobě 50% tvůrcovi kauce.",
"Collaborative cancel the order?":"Oboustraně zrušit obchod?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Satoshi jsou v úschově. Objednávku lze zrušit pouze v případě, že se na zrušení dohodnou jak tvůrce, tak přijemce.",
"Ask for Cancel":"Požádat o zrušení",
"Cancel":"Zrušit",
"Collaborative Cancel":"Oboustrané zrušení",
"Invalid Order Id":"Neplatné číslo nabídky",
"You must have a robot avatar to see the order details":"K zobrazení podrobností je třeba avatar a robot.",
"This order has been cancelled collaborativelly":"Tato objednávka byla společně zrušena",
"This order is not available":"Tato nabídka není dostupná",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Robotický Satoshi ti nerozumí. Prosím vyplň Github Bug Issue https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Ty",
"Peer":"Protistrana",
"connected":"připojen",
"disconnected":"odpojen",
"Type a message":"Napiš zprávu",
"Connecting...":"Připojování...",
"Send":"Odeslat",
"Verify your privacy":"Ověř svou ochranu soukromí",
"Audit PGP":"Audit PGP",
"Save full log as a JSON file (messages and credentials)":"Uložit celý log jako soubor JSON (zprávy a údaje))",
"Export":"Exportovat",
"Don't trust, verify":"Nedůvěřuj, ověřuj",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"Vaše komunikace je šifrována end-to-end pomocí protokolu OpenPGP. Soukromí tohoto chatu můžeš ověřit pomocí libovolného nástroje založeného na standardu OpenPGP.",
"Learn how to verify":"Naučit se, jak ověřovat",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Tvůj veřejný PGP klíč. Tvoje protistrana ho používá k šifrování zpráv, které můžeš číst pouze ty.",
"Your public key":"Tvůj veřejný klíč",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"Veřejný PGP klíč protistrany. Používáš jej k šifrování zpráv, které může číst pouze on, a k ověření, zda protistrana podepsala příchozí zprávy.",
"Peer public key":"Veřejný klíč protistrany",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"Tvůj zašifrovaný soukromí klíč. Používáš jej k rozšifrování příchozích zpráv, určených pro tebe, a k zašifrování odeslaných zpráv.",
"Your encrypted private key":"Tvůj zašifrovaný soukromý klíč",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"Tvůj robot token, který znáš pouze ty, slouží jako passphrase též k rozšifrování tvého soukromého klíče, proto ho nikde nesdílej.",
"Your private key passphrase (keep secure!)":"Tvůj soukromí klíč a passphrase (drž v bezpečí!)",
"Save credentials as a JSON file":"Uložit údaje jako JSON sobour",
"Keys":"Klíče",
"Save messages as a JSON file":"Uložit zprávy jako JSON soubor",
"Messages":"Zprávy",
"Verified signature by {{nickname}}":"Ověřený podpis {{nickname}}",
"Cannot verify signature of {{nickname}}":"Nelze ověřit podpis {{nickname}}",
"Order Box": "Shrnutí nabídky",
"Contract": "Průvodce obchodem",
"Active": "Aktivní",
"Seen recently": "Viděn nedávno",
"Inactive": "Neaktivní",
"(Seller)": "(Prodavající)",
"(Buyer)": "(Kupující)",
"Order maker": "Tvůrce nabídky",
"Order taker": "Příjemce nabídky",
"Order Details": "Detaily nabídky",
"Order status": "Stav nabídky",
"Waiting for maker bond": "Čeká se na kauci tvůrce",
"Public": "Veřejné",
"Waiting for taker bond": "Čeká se na kauci příjemce",
"Cancelled": "Zrušeno",
"Expired": "Vypršela platnost",
"Waiting for trade collateral and buyer invoice": "Čeká se na kolaterál a kupujícího invoice",
"Waiting only for seller trade collateral": "Čeká se na kolaterál od prodavajícího ",
"Waiting only for buyer invoice": "Čeká se na kupujícího invoice",
"Sending fiat - In chatroom": "Odeslání fiat - V chatu",
"Fiat sent - In chatroom": "Fiat odeslán - V chatu",
"In dispute": "Ve sporu",
"Collaboratively cancelled": "Oboustraně zrušeno",
"Sending satoshis to buyer": "Odeslat satoshi kupujícímu",
"Sucessful trade": "Úspěšný obchod",
"Failed lightning network routing": "Neúspěšný lightning network routing",
"Wait for dispute resolution": "Vyčkej na vyřešení sporu",
"Maker lost dispute": "Tvůrce prohrál spor",
"Taker lost dispute": "Příjemce prohrál spor",
"Amount range": "Rozmezí částky",
"Swap destination": "Swap adresa",
"Accepted payment methods": "Akceptované platební metody",
"Others": "Ostatní",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Přirážka: {{premium}}%",
"Price and Premium": "Cena a přirážka",
"Amount of Satoshis": "Částka Satoshi",
"Premium over market price": "Přirážka oproti tržní ceně",
"Order ID": "Číslo nabídky",
"Deposit timer": "Časovač vkladu",
"Expires in": "Vyprší za",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} žáda o oboustrané zrušení obchodu",
"You asked for a collaborative cancellation": "Žádaš o oboustarné zrušení obchodu",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Invoice vypršela platnost. Zveřejnění objednávky jsi nepotvrdil včas. Proveď novou objednávku.",
"This order has been cancelled by the maker": "Tato nabídka byla zrušena tvůrcem",
"Invoice expired. You did not confirm taking the order in time.": "Invoice vypršela platnost. Přijmutí objednávky jsi nepotvrdil včas.",
"Penalty lifted, good to go!": "Pokuta zrušena, lze pokračovat!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Nabídku nemůžeš zatím příjmout! Počkej {{timeMin}}m {{timeSec}}s",
"Too low": "Nízko",
"Too high": "Vysoko",
"Enter amount of fiat to exchange for bitcoin": "Zadej částku fiat, kterou chceš vyměnit za bitcoin. ",
"Amount {{currencyCode}}": "Částka {{currencyCode}}",
"You must specify an amount first": "Nejprve je třeba zadat částku",
"Take Order": "Příjmout nabídku",
"Wait until you can take an order": "Počkej, až budeš moci přijmout nabídku",
"Cancel the order?": "Zrušit objendávku?",
"If the order is cancelled now you will lose your bond.": "Pokud bude objednávka nyní zrušena, tvoje kauce propadne.",
"Confirm Cancel": "Potvrdit zrušení",
"The maker is away": "Tvůrce není přítomen",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Příjmutím této nabídky riskuješ ztrátu času. Pokud protistrana nedorazí včas, získáš kompezaci v podobě 50% tvůrcovi kauce.",
"Collaborative cancel the order?": "Oboustraně zrušit obchod?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Satoshi jsou v úschově. Objednávku lze zrušit pouze v případě, že se na zrušení dohodnou jak tvůrce, tak přijemce.",
"Ask for Cancel": "Požádat o zrušení",
"Cancel": "Zrušit",
"Collaborative Cancel": "Oboustrané zrušení",
"Invalid Order Id": "Neplatné číslo nabídky",
"You must have a robot avatar to see the order details": "K zobrazení podrobností je třeba avatar a robot.",
"This order has been cancelled collaborativelly": "Tato objednávka byla společně zrušena",
"This order is not available": "Tato nabídka není dostupná",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Robotický Satoshi ti nerozumí. Prosím vyplň Github Bug Issue https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Ty",
"Peer": "Protistrana",
"connected": "připojen",
"disconnected": "odpojen",
"Type a message": "Napiš zprávu",
"Connecting...": "Připojování...",
"Send": "Odeslat",
"Verify your privacy": "Ověř svou ochranu soukromí",
"Audit PGP": "Audit PGP",
"Save full log as a JSON file (messages and credentials)": "Uložit celý log jako soubor JSON (zprávy a údaje))",
"Export": "Exportovat",
"Don't trust, verify": "Nedůvěřuj, ověřuj",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "Vaše komunikace je šifrována end-to-end pomocí protokolu OpenPGP. Soukromí tohoto chatu můžeš ověřit pomocí libovolného nástroje založeného na standardu OpenPGP.",
"Learn how to verify": "Naučit se, jak ověřovat",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Tvůj veřejný PGP klíč. Tvoje protistrana ho používá k šifrování zpráv, které můžeš číst pouze ty.",
"Your public key": "Tvůj veřejný klíč",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Veřejný PGP klíč protistrany. Používáš jej k šifrování zpráv, které může číst pouze on, a k ověření, zda protistrana podepsala příchozí zprávy.",
"Peer public key": "Veřejný klíč protistrany",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "Tvůj zašifrovaný soukromí klíč. Používáš jej k rozšifrování příchozích zpráv, určených pro tebe, a k zašifrování odeslaných zpráv.",
"Your encrypted private key": "Tvůj zašifrovaný soukromý klíč",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Tvůj robot token, který znáš pouze ty, slouží jako passphrase též k rozšifrování tvého soukromého klíče, proto ho nikde nesdílej.",
"Your private key passphrase (keep secure!)": "Tvůj soukromí klíč a passphrase (drž v bezpečí!)",
"Save credentials as a JSON file": "Uložit údaje jako JSON sobour",
"Keys": "Klíče",
"Save messages as a JSON file": "Uložit zprávy jako JSON soubor",
"Messages": "Zprávy",
"Verified signature by {{nickname}}": "Ověřený podpis {{nickname}}",
"Cannot verify signature of {{nickname}}": "Nelze ověřit podpis {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Průvodce obchodem",
"Contract Box": "Průvodce obchodem",
"Robots show commitment to their peers": "Roboti dávají najevo oddanost svým společníkum",
"Lock {{amountSats}} Sats to PUBLISH order": "Uzamknout {{amountSats}} Satů a ZVEŘEJNIT nabídku",
"Lock {{amountSats}} Sats to TAKE order": "Uzamknout {{amountSats}} Satů a PŘIJMOUT nabídku",
"Lock {{amountSats}} Sats as collateral": "Uzamknout {{amountSats}} Satů jako kolaterál",
"Copy to clipboard":"Zkopírovat do schránky",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořádán pouze v případě zrušení nebo prohry sporu.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořadána ke kupujícímu jakmile potvrdíš příjem {{currencyCode}}.",
"Your maker bond is locked":"Tvoje kauce tvůrce je uzamčena",
"Your taker bond is locked":"Tvoje kauce příjemce je uzamčena",
"Your maker bond was settled":"Tvoje kauce tvůrce byla vypořadána",
"Your taker bond was settled":"Tvoje kauce příjemce byla vypořadána",
"Your maker bond was unlocked":"Tvoje kauce tvůrce byla odemčena",
"Your taker bond was unlocked":"Tvoje kauce příjemce byla odemčena",
"Your order is public":"Tvoje nabídka je veřejná",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Buď trpělivý, zatímco roboti kontrolují nabídky. Tato nabídka jednou zazvoní 🔊 pokud robot přijme tvoji nabídku, potom budeš mít {{deposit_timer_hours}}h {{deposit_timer_minutes}}m k odpovědi. Pokud neodpovíš, riskuješ ztrátu kauce.",
"If the order expires untaken, your bond will return to you (no action needed).":"Pokud nabídka vyprší nepříjmuta, tak kauce se ti vrátí (není potřeba žádné akce).",
"Enable Telegram Notifications":"Povolit Telegram notifikace",
"Enable TG Notifications":"Povolit TG notifikace",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Budeš přesměrován do chatu s RoboSats telegram botem. Jednoduše otevři chat a zmáčkni Start. Měj na paměti, že povolením telegram notifikací máš nížší úroveň anonymity.",
"Go back":"Jít zpět",
"Enable":"Povolit",
"Telegram enabled":"Telegram povolen",
"Public orders for {{currencyCode}}":"Veřejné nabídky pro {{currencyCode}}",
"Copy to clipboard": "Zkopírovat do schránky",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořádán pouze v případě zrušení nebo prohry sporu.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořadána ke kupujícímu jakmile potvrdíš příjem {{currencyCode}}.",
"Your maker bond is locked": "Tvoje kauce tvůrce je uzamčena",
"Your taker bond is locked": "Tvoje kauce příjemce je uzamčena",
"Your maker bond was settled": "Tvoje kauce tvůrce byla vypořadána",
"Your taker bond was settled": "Tvoje kauce příjemce byla vypořadána",
"Your maker bond was unlocked": "Tvoje kauce tvůrce byla odemčena",
"Your taker bond was unlocked": "Tvoje kauce příjemce byla odemčena",
"Your order is public": "Tvoje nabídka je veřejná",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Buď trpělivý, zatímco roboti kontrolují nabídky. Tato nabídka jednou zazvoní 🔊 pokud robot přijme tvoji nabídku, potom budeš mít {{deposit_timer_hours}}h {{deposit_timer_minutes}}m k odpovědi. Pokud neodpovíš, riskuješ ztrátu kauce.",
"If the order expires untaken, your bond will return to you (no action needed).": "Pokud nabídka vyprší nepříjmuta, tak kauce se ti vrátí (není potřeba žádné akce).",
"Enable Telegram Notifications": "Povolit Telegram notifikace",
"Enable TG Notifications": "Povolit TG notifikace",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Budeš přesměrován do chatu s RoboSats telegram botem. Jednoduše otevři chat a zmáčkni Start. Měj na paměti, že povolením telegram notifikací máš nížší úroveň anonymity.",
"Go back": "Jít zpět",
"Enable": "Povolit",
"Telegram enabled": "Telegram povolen",
"Public orders for {{currencyCode}}": "Veřejné nabídky pro {{currencyCode}}",
"Premium rank": "Úroveň přirážky",
"Among public {{currencyCode}} orders (higher is cheaper)": "Mezi veřejnými {{currencyCode}} nabídkami (vyšší je levnější)",
"A taker has been found!":"Byl nalezen příjemce!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Vyčkej, až příjemce uzamkne kauci. Pokud příjemce neuzamkne kauci včas, nabídka se znovu zveřejní.",
"Payout Lightning Invoice":"Vyplatit Lightning invoice",
"Your info looks good!":"Tvé údaje vypadají dobře!",
"We are waiting for the seller to lock the trade amount.":"Čekáme, až prodavající uzamkne satoshi .",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Vydrž chvíli. Pokud prodavající neprovede vklad, kauce se ti automaticky vrátí. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"The trade collateral is locked!":"Satoshi jsou uzamknuté!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Čekáme, až kupující vloží lightning invoice. Jakmile tak učiní, budeš moct se s ním moct dohodnout fiat platbě.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Vydrž chvíli. Pokud kupující nespolupracuje, automaticky získáš zpět svojí kauci a předmět obchodu satoshi. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"Confirm {{amount}} {{currencyCode}} sent":"Potvrdit odeslání {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received":"Potvrdit příjmutí {{amount}} {{currencyCode}}",
"Open Dispute":"Otevřít spor",
"The order has expired":"Nabídka vypršela",
"Chat with the buyer":"Chat s kupujícím",
"Chat with the seller":"Chat s prodavajícím",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Pozdrav! Buď vstřícný a stručný. Dej mu vědět, jak ti poslat {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"Kupující odeslal fiat. Po obdržení fiatu klikni na 'Potvrdit příjmutí'.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Pozdrav! Požádej o platební údaje a klikni na 'Potvrdit odeslání' jakmile bude platba odeslaná.",
"Wait for the seller to confirm he has received the payment.":"Počkej na potvzení, že prodavající obdržel platbu.",
"Confirm you received {{amount}} {{currencyCode}}?":"Potvrdit obdržení {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Potvrzením, že jsi obdržel fiat se dokončí obchod. Satoshis v úschově se odešlou kupujícímu. Potvrď pouze pokud jsi obdržel {{amount}} {{currencyCode}} na svůj účet. V případě obdržení {{currencyCode}} a nepotvrzení riskuješ ztrátu kauce.",
"Confirm":"Potvrdit",
"Trade finished!":"Obchod dokončen!",
"rate_robosats":"Co si myslíš o <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Děkujeme! RoboSats tě má rád ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats bude lepší s větší likviditou a uživateli. Pověz svým přátelům o Robosats!",
"Thank you for using Robosats!":"Děkujeme, že používáš Robosats!",
"let_us_know_hot_to_improve":"Dej nám vědět jak vylepšit platformu (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Začít znovu",
"Attempting Lightning Payment":"Pokoušíme se o Lightning platbu",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats se snaží zaplatit tvůj lightning invoice. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Retrying!":"Opakování pokusu!",
"Lightning Routing Failed":"Lightning Routing selhalo",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.":"Tvůj invoice vypršel nebo selhali pokusy o 3 platby. Nahraj nový invoice.",
"Check the list of compatible wallets":"Zkotrolovat seznam kompatibilních peněženek",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats se pokusí zaplatit invoice třikrát s minutivými pauzami. V případě neúspěchu bude třeba nahrát nový invoice. Zkontroluj, zda máš dostatek inbound likvidity. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Next attempt in":"Další pokus za",
"Do you want to open a dispute?":"Chceš otevřít spor?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Personál RoboSats prověří předložená vyjádření a důkazy. Musíš vytvořit ucelený důkazní materiál, protože personál nemůže číst chat. Nejlépe spolu s výpovědí uvést jednorázový kontakt. Satoshi v úschově budou zaslány vítězi sporu, zatímco poražený ve sporu přijde o kauci.",
"Disagree":"Nesouhlasit",
"Agree and open dispute":"Souhlasit a otevřít spor",
"A dispute has been opened":"Spor byl otevřen",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Prosím, předlož své důkazy. Jasně a stručně popiš, co se stalo a předlož důkazy. MUSÍŠ uvést kontatní údaje: jednorázový email, XMPP nebo telegram přezdívku ke komunikaci s personálem. Spory se řeší podle uvážení skutečných robotů (neboli lidé), buď co nejvíce nápomocný, abys zajistil spravedlivý výsledek. Maximálně 5000 znaků.",
"Submit dispute statement":"Odeslat vyjádření",
"We have received your statement":"Obdrželi jsme tvé vyjádření",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Čekáme na vyjádření protistrany. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":" Uložte si prosím informace potřebné k identifikaci tvé nabídky a tvých plateb: číslo nabídky; hash platby kauce nebo úschovy (zkontroluj si lightning peněženku); přesná částka satoshi; a robot přezdívku. V komunikaci emailem(nebo jinak) se představíš jako zúčastněna strana.",
"We have the statements":"Máme prohlášení",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Získali jsme obě prohlášení, počkej na vyřešení sporu personálem. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com. Pokud jsi neposkytl kontaktní údaje nebo nejsi si jist, zda jsi to napsal správně okamžitě nás kontaktuj.",
"You have won the dispute":"Vyhrál jsi spor",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Satoshi z vyřešeného sporů (z úschovy a kauce) si můžeš vybrat z odměn ve svém profilu. Pokud ti personál může s něčím pomoci, neváhej a kontaktuj nás na robosats@protonmail.com (nebo jiný způsob komunikace).",
"You have lost the dispute":"Prohrál jsi spor",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Bohužel jsi prohrál spor. Pokud se domníváš, že se jedná o chybu, můžeš požádat o opětovné otevření sporu na robosats@protonmail.com. Ačkoliv šance znovuotevření je malá.",
"Expired not taken":"Vypršené nepřijmuto",
"Maker bond not locked":"Kauce tvůrce není uzamknuta",
"Escrow not locked":"Není uzamknuta úschova",
"Invoice not submitted":"Není předložen invoice",
"Neither escrow locked or invoice submitted":"Nebyla uzamčena úschova ani předložen invoice",
"Renew Order":"Opakovat nabídku",
"Pause the public order":"Pozastavit zveřejnění nabídky",
"Your order is paused":"Tvá nabídka je pozastavena",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Tvá veřejná nabídka je pozastavena. V tuto chvíli ji nemohou vidět ani přijmout jiní roboti. Pozastavení můžeš kdykoliv zrušit.",
"Unpause Order":"Zrušit pozastavení nabídky",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Riskujuš ztrátu kauce, pokud neuzamkneš satoshi do úschovy. Zbývá {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Robrazit kompatibilní peněženky",
"Failure reason:":"Důvod selhání:",
"Payment isn't failed (yet)":"Platba neselhala (zatím)",
"There are more routes to try, but the payment timeout was exceeded.":"Je možné vyzkoušet další platební trasy, ale časový limit pro platbu byl překročen.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Všechny možné trasy byly vyzkoušeny a trvale selhaly. Nebo k cíli nevedou vůbec žádné trasy.",
"A non-recoverable error has occurred.":"Došlo k neopravitelné chybě.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Platební údaje jsou nesprávné (neznámy hash, špatná částka nebo chybné final CLTV delta).",
"Insufficient unlocked balance in RoboSats' node.":"Nedostatečný odemknutý zůstatek na RoboSats nodu.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"Odeslaný invoice vede skrz drahé trasy, použiváš nekompatibilní peněženku (možná Muun?). Zkontroluj náš seznam kompatibilních peněženek na wallets.robosats.com",
"The invoice provided has no explicit amount":"Odeslaný invoice obsahuje špatnou částku",
"Does not look like a valid lightning invoice":"Poskytnutý lightning invoice nevypadá platně",
"The invoice provided has already expired":"Platnost poskytnutého lightning invoice vypršel",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Nezapomeň EXPORTOVAT log chatu. Personál si může vyžádat exportovaný log chatu ve formátu JSON, aby mohl vyřešit nesrovnalosti. Je tvou odpovědností jej uložit.",
"Does not look like a valid address":"Nevypdá to jako platná adresa",
"This is not a bitcoin mainnet address":"Toto není bitcoin mainnet adresa",
"This is not a bitcoin testnet address":"Toto není bitcoin testnet adresa",
"Submit payout info for {{amountSats}} Sats":"Odeslat údaje na vyplacení {{amountSats}} Satů",
"Submit a valid invoice for {{amountSats}} Satoshis.":"Odeslat platný invoice pro {{amountSats}} Satoshi.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.":"Předtím než tě necháme odeslat {{amountFiat}} {{currencyCode}}, chceme se nechat ujistit, že jsi schopen příjmout BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.":"RoboSats provede swap Satů na tvou onchain adresu.",
"Swap fee":"Swap poplatek",
"Mining fee":"Těžební poplatek",
"Mining Fee":"Těžební poplatek",
"Final amount you will receive":"Konečná částka, kterou získáš",
"Bitcoin Address":"Bitcoin adresa",
"Your TXID":"Tvé TXID",
"Lightning":"Lightning",
"Onchain":"Onchain",
"open_dispute":"Chceš-li otevřít spor, musíš počkat <1><1/>",
"Trade Summary":"Shrnutí obchodu",
"Maker":"Tvůrce",
"Taker":"Příjemce",
"User role":"Uživatelská role",
"Sent":"Odesláno",
"Received":"Příjmuto",
"BTC received":"BTC příjmuto",
"BTC sent":"BTC odesláno",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)":"{{tradeFeeSats}} Satů ({{tradeFeePercent}}%)",
"Trade fee":"Obchodní poplatek",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)":"{{swapFeeSats}} Satů ({{swapFeePercent}}%)",
"Onchain swap fee":"Onchain swap poplatek",
"{{miningFeeSats}} Sats":"{{miningFeeSats}} Satů",
"{{bondSats}} Sats ({{bondPercent}}%)":"{{bondSats}} Satů ({{bondPercent}}%)",
"Maker bond":"Kauce tvůrce",
"Taker bond":"Kauce příjemce",
"Unlocked":"Odemčeno",
"{{revenueSats}} Sats":"{{revenueSats}} Satů",
"Platform trade revenue":"Odměna pro platformu",
"{{routingFeeSats}} MiliSats":"{{routingFeeSats}} MiliSatů",
"Platform covered routing fee":"Poplatek za routing hrazený platformou",
"A taker has been found!": "Byl nalezen příjemce!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Vyčkej, až příjemce uzamkne kauci. Pokud příjemce neuzamkne kauci včas, nabídka se znovu zveřejní.",
"Payout Lightning Invoice": "Vyplatit Lightning invoice",
"Your info looks good!": "Tvé údaje vypadají dobře!",
"We are waiting for the seller to lock the trade amount.": "Čekáme, až prodavající uzamkne satoshi .",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Vydrž chvíli. Pokud prodavající neprovede vklad, kauce se ti automaticky vrátí. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"The trade collateral is locked!": "Satoshi jsou uzamknuté!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Čekáme, až kupující vloží lightning invoice. Jakmile tak učiní, budeš moct se s ním moct dohodnout fiat platbě.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Vydrž chvíli. Pokud kupující nespolupracuje, automaticky získáš zpět svojí kauci a předmět obchodu satoshi. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"Confirm {{amount}} {{currencyCode}} sent": "Potvrdit odeslání {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received": "Potvrdit příjmutí {{amount}} {{currencyCode}}",
"Open Dispute": "Otevřít spor",
"The order has expired": "Nabídka vypršela",
"Chat with the buyer": "Chat s kupujícím",
"Chat with the seller": "Chat s prodavajícím",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Pozdrav! Buď vstřícný a stručný. Dej mu vědět, jak ti poslat {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Kupující odeslal fiat. Po obdržení fiatu klikni na 'Potvrdit příjmutí'.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Pozdrav! Požádej o platební údaje a klikni na 'Potvrdit odeslání' jakmile bude platba odeslaná.",
"Wait for the seller to confirm he has received the payment.": "Počkej na potvzení, že prodavající obdržel platbu.",
"Confirm you received {{amount}} {{currencyCode}}?": "Potvrdit obdržení {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Potvrzením, že jsi obdržel fiat se dokončí obchod. Satoshis v úschově se odešlou kupujícímu. Potvrď pouze pokud jsi obdržel {{amount}} {{currencyCode}} na svůj účet. V případě obdržení {{currencyCode}} a nepotvrzení riskuješ ztrátu kauce.",
"Confirm": "Potvrdit",
"Trade finished!": "Obchod dokončen!",
"rate_robosats": "Co si myslíš o <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Děkujeme! RoboSats tě má rád ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats bude lepší s větší likviditou a uživateli. Pověz svým přátelům o Robosats!",
"Thank you for using Robosats!": "Děkujeme, že používáš Robosats!",
"let_us_know_hot_to_improve": "Dej nám vědět jak vylepšit platformu (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Začít znovu",
"Attempting Lightning Payment": "Pokoušíme se o Lightning platbu",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats se snaží zaplatit tvůj lightning invoice. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Retrying!": "Opakování pokusu!",
"Lightning Routing Failed": "Lightning Routing selhalo",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Tvůj invoice vypršel nebo selhali pokusy o 3 platby. Nahraj nový invoice.",
"Check the list of compatible wallets": "Zkotrolovat seznam kompatibilních peněženek",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats se pokusí zaplatit invoice třikrát s minutivými pauzami. V případě neúspěchu bude třeba nahrát nový invoice. Zkontroluj, zda máš dostatek inbound likvidity. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Next attempt in": "Další pokus za",
"Do you want to open a dispute?": "Chceš otevřít spor?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Personál RoboSats prověří předložená vyjádření a důkazy. Musíš vytvořit ucelený důkazní materiál, protože personál nemůže číst chat. Nejlépe spolu s výpovědí uvést jednorázový kontakt. Satoshi v úschově budou zaslány vítězi sporu, zatímco poražený ve sporu přijde o kauci.",
"Disagree": "Nesouhlasit",
"Agree and open dispute": "Souhlasit a otevřít spor",
"A dispute has been opened": "Spor byl otevřen",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Prosím, předlož své důkazy. Jasně a stručně popiš, co se stalo a předlož důkazy. MUSÍŠ uvést kontatní údaje: jednorázový email, XMPP nebo telegram přezdívku ke komunikaci s personálem. Spory se řeší podle uvážení skutečných robotů (neboli lidé), buď co nejvíce nápomocný, abys zajistil spravedlivý výsledek. Maximálně 5000 znaků.",
"Submit dispute statement": "Odeslat vyjádření",
"We have received your statement": "Obdrželi jsme tvé vyjádření",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Čekáme na vyjádření protistrany. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": " Uložte si prosím informace potřebné k identifikaci tvé nabídky a tvých plateb: číslo nabídky; hash platby kauce nebo úschovy (zkontroluj si lightning peněženku); přesná částka satoshi; a robot přezdívku. V komunikaci emailem(nebo jinak) se představíš jako zúčastněna strana.",
"We have the statements": "Máme prohlášení",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Získali jsme obě prohlášení, počkej na vyřešení sporu personálem. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com. Pokud jsi neposkytl kontaktní údaje nebo nejsi si jist, zda jsi to napsal správně okamžitě nás kontaktuj.",
"You have won the dispute": "Vyhrál jsi spor",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Satoshi z vyřešeného sporů (z úschovy a kauce) si můžeš vybrat z odměn ve svém profilu. Pokud ti personál může s něčím pomoci, neváhej a kontaktuj nás na robosats@protonmail.com (nebo jiný způsob komunikace).",
"You have lost the dispute": "Prohrál jsi spor",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Bohužel jsi prohrál spor. Pokud se domníváš, že se jedná o chybu, můžeš požádat o opětovné otevření sporu na robosats@protonmail.com. Ačkoliv šance znovuotevření je malá.",
"Expired not taken": "Vypršené nepřijmuto",
"Maker bond not locked": "Kauce tvůrce není uzamknuta",
"Escrow not locked": "Není uzamknuta úschova",
"Invoice not submitted": "Není předložen invoice",
"Neither escrow locked or invoice submitted": "Nebyla uzamčena úschova ani předložen invoice",
"Renew Order": "Opakovat nabídku",
"Pause the public order": "Pozastavit zveřejnění nabídky",
"Your order is paused": "Tvá nabídka je pozastavena",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Tvá veřejná nabídka je pozastavena. V tuto chvíli ji nemohou vidět ani přijmout jiní roboti. Pozastavení můžeš kdykoliv zrušit.",
"Unpause Order": "Zrušit pozastavení nabídky",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Riskujuš ztrátu kauce, pokud neuzamkneš satoshi do úschovy. Zbývá {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Robrazit kompatibilní peněženky",
"Failure reason:": "Důvod selhání:",
"Payment isn't failed (yet)": "Platba neselhala (zatím)",
"There are more routes to try, but the payment timeout was exceeded.": "Je možné vyzkoušet další platební trasy, ale časový limit pro platbu byl překročen.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Všechny možné trasy byly vyzkoušeny a trvale selhaly. Nebo k cíli nevedou vůbec žádné trasy.",
"A non-recoverable error has occurred.": "Došlo k neopravitelné chybě.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Platební údaje jsou nesprávné (neznámy hash, špatná částka nebo chybné final CLTV delta).",
"Insufficient unlocked balance in RoboSats' node.": "Nedostatečný odemknutý zůstatek na RoboSats nodu.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "Odeslaný invoice vede skrz drahé trasy, použiváš nekompatibilní peněženku (možná Muun?). Zkontroluj náš seznam kompatibilních peněženek na wallets.robosats.com",
"The invoice provided has no explicit amount": "Odeslaný invoice obsahuje špatnou částku",
"Does not look like a valid lightning invoice": "Poskytnutý lightning invoice nevypadá platně",
"The invoice provided has already expired": "Platnost poskytnutého lightning invoice vypršel",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Nezapomeň EXPORTOVAT log chatu. Personál si může vyžádat exportovaný log chatu ve formátu JSON, aby mohl vyřešit nesrovnalosti. Je tvou odpovědností jej uložit.",
"Does not look like a valid address": "Nevypdá to jako platná adresa",
"This is not a bitcoin mainnet address": "Toto není bitcoin mainnet adresa",
"This is not a bitcoin testnet address": "Toto není bitcoin testnet adresa",
"Submit payout info for {{amountSats}} Sats": "Odeslat údaje na vyplacení {{amountSats}} Satů",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Odeslat platný invoice pro {{amountSats}} Satoshi.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Předtím než tě necháme odeslat {{amountFiat}} {{currencyCode}}, chceme se nechat ujistit, že jsi schopen příjmout BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats provede swap Satů na tvou onchain adresu.",
"Swap fee": "Swap poplatek",
"Mining fee": "Těžební poplatek",
"Mining Fee": "Těžební poplatek",
"Final amount you will receive": "Konečná částka, kterou získáš",
"Bitcoin Address": "Bitcoin adresa",
"Your TXID": "Tvé TXID",
"Lightning": "Lightning",
"Onchain": "Onchain",
"open_dispute": "Chceš-li otevřít spor, musíš počkat <1><1/>",
"Trade Summary": "Shrnutí obchodu",
"Maker": "Tvůrce",
"Taker": "Příjemce",
"User role": "Uživatelská role",
"Sent": "Odesláno",
"Received": "Příjmuto",
"BTC received": "BTC příjmuto",
"BTC sent": "BTC odesláno",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)": "{{tradeFeeSats}} Satů ({{tradeFeePercent}}%)",
"Trade fee": "Obchodní poplatek",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)": "{{swapFeeSats}} Satů ({{swapFeePercent}}%)",
"Onchain swap fee": "Onchain swap poplatek",
"{{miningFeeSats}} Sats": "{{miningFeeSats}} Satů",
"{{bondSats}} Sats ({{bondPercent}}%)": "{{bondSats}} Satů ({{bondPercent}}%)",
"Maker bond": "Kauce tvůrce",
"Taker bond": "Kauce příjemce",
"Unlocked": "Odemčeno",
"{{revenueSats}} Sats": "{{revenueSats}} Satů",
"Platform trade revenue": "Odměna pro platformu",
"{{routingFeeSats}} MiliSats": "{{routingFeeSats}} MiliSatů",
"Platform covered routing fee": "Poplatek za routing hrazený platformou",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Zavřít",
"What is RoboSats?":"Co je RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"Je to BTC/FIAT peer-to-peer burza přes lightning.",
"RoboSats is an open source project ":"RoboSats je open source projekt ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Zjednodušuje schodu nabídky s poptávkou a potřebu důvěry. RoboSats se zaměřuje na ochranu soukromí a rychlost.",
"(GitHub).":"(GitHub).",
"How does it work?":"Jak to funguje?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymníAlice01 chce prodat bitcoin. Zveřejní nabídku k prodeji. BystrýBob02 chce koupit bitcoin a proto příjme Alicinu nabídku. Oba musí složit malou kauci přes lightning aby dokázali, že jsou skuteční roboti. Nato Alice přes lightning a hodl invoice vloží do úschovy kolaterál. RoboSats uzamkne invoice, dokud Alice nepotvrdí, že obdržela fiat, pak jsou satoshi uvolněny Bobobi. Užij si své satoshi, Bobe!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"V žádném bodě, AnonymníAlice01 a BystrýBob02 nemuseli svěřit své bitcoiny tomu druhému. V případě sporu by jim ho pomohl vyřešit personál RoboSats.",
"You can find a step-by-step description of the trade pipeline in ":"Popis obchodu krok za krokem najdeš na",
"How it works":"Jak to funguje",
"You can also check the full guide in ":"Taky se můžeš podívat na návod",
"How to use":"Jak se používá",
"What payment methods are accepted?":"Jaké jsou akceptované platební metody?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Všechny, pokud jsou rychlé. Vždy můžeš dopsat svou preferovanou platební metodu, jenom bude muset být protistrana, která jí příjme. Část s odesláním fiatu má limit 24h, potom se automaticky otevře spor. Doporučujeme použití okamžitých platebních metod.",
"Are there trade limits?":"Je nějaký obchodní limit?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Maximální velikost obchodu je {{maxAmount}} Satoshi, aby byl minimalizován neúspěch lightning routing. Denní limit obchodu není, pouze robot může mít vždy pouze jednu nabídku. Ale součastně je možné mít více robotu v různých prohlížečích (nezapoměň na zálohu tokenů robotů).",
"Is RoboSats private?":"Narušuje RoboSats soukromí?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats nikdy nežádá o soukromé údaje jako jméno, bydliště a doklady totožnosti. RoboSats nespravuje žádné prostředky a nezajímá se kdo jsi. RoboSats nesbírá a nespravuje osobní informace. Pro větší anonymitu použij Tor Browser a .onion adresu.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Jediný kdo může o tobě poteciálně cokoliv zjistit je protistrana obchodu. Udrž chat krátký a stručný. Vyhni se všemu co není důležité pro fiat platbu.",
"What are the risks?":"Jaké jsou rizika?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Toto je experimentální aplikace, věci se mohou pokazit. Obchoduj s malými částkami!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Prodejce čelí riziku vratky platby jako v každé peer-to-peer službě. Paypal nebo platební karty nejsou doporučené.",
"What is the trust model?":"Jaký je model důvěry?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Kupující a prodavající si nemusí věřit. Trochu se musí důvěřovat RoboSats, protože propojuje hodl invoice prodavajícího a platba kupujícímu není atomic (zatím). Kromě toho, spory jsou řešeny personálem RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Aby jsem si to shrnuli, potřeba důvěry je minimalizována. Přesto existuje jedna cesta jak RoboSats může utéct se satoshi: neuvolnit je kupujícímu. Dalo by se namítnout, že takový krok není v zájmu RoboSats, kvůli malé platbě si zničit reputaci. Z toho důvodu bys měl obchodovat pouze s malými částkami najednou. Pro větší částky použij onchain aplikace jako Bisq.",
"You can build more trust on RoboSats by inspecting the source code.":"Můžeš si vybudovat větší důvěru v RoboSats zkontrolováním zdrojového kódu.",
"Project source code":"Zdrojový kód projektu",
"What happens if RoboSats suddenly disappears?":"Co se stane pokud RoboSats náhle zmizí?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Tvé saty se ti vrátí. Jakýkoliv hold invoice, který není vypořádán se automaticky vrací i v případě trvalého konce RoboSats. Toto platí pro kauce i úschovu. Přesto je malé okno mezi potvrzením od prodavajícího FIAT OBDRŽEN a momentem kdy kupující obdrží své satoshi, by mohli být navždy ztraceny v případě zmizení RoboSats. Okno je dlouhé 1 vteřinu. Z toho důvodu měj dostatečnou inbound likviditu aby byl vyloučeno routing selhání. Pokud máš jakýkoliv problém obrať se na nás prostřednictvým veřejných RoboSats kanálu.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"V mnoha zemích není rozdíl mezi používáním RoboSats a Ebay nebo Craiglistu. Regulace jsou různé, je tvá povinnost jim vyhovět.",
"Is RoboSats legal in my country?":"Je RoboSats legální v mé zemi?",
"Disclaimer":"Zřeknutí se odpovědnosti",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Tato lightning aplikace se poskytuje jak je. V aktivním vývoji: obchoduj s maximální opatrností. Neexistuje žádná soukromá podpora. Podpora se poskytuje pouze na veřejných kanálech.",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats tě nikdy nebude kontaktovat. RoboSats tě nikdy nepožáda o tvůj robot token."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Zavřít",
"What is RoboSats?": "Co je RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Je to BTC/FIAT peer-to-peer burza přes lightning.",
"RoboSats is an open source project ": "RoboSats je open source projekt ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Zjednodušuje schodu nabídky s poptávkou a potřebu důvěry. RoboSats se zaměřuje na ochranu soukromí a rychlost.",
"(GitHub).": "(GitHub).",
"How does it work?": "Jak to funguje?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymníAlice01 chce prodat bitcoin. Zveřejní nabídku k prodeji. BystrýBob02 chce koupit bitcoin a proto příjme Alicinu nabídku. Oba musí složit malou kauci přes lightning aby dokázali, že jsou skuteční roboti. Nato Alice přes lightning a hodl invoice vloží do úschovy kolaterál. RoboSats uzamkne invoice, dokud Alice nepotvrdí, že obdržela fiat, pak jsou satoshi uvolněny Bobobi. Užij si své satoshi, Bobe!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "V žádném bodě, AnonymníAlice01 a BystrýBob02 nemuseli svěřit své bitcoiny tomu druhému. V případě sporu by jim ho pomohl vyřešit personál RoboSats.",
"You can find a step-by-step description of the trade pipeline in ": "Popis obchodu krok za krokem najdeš na",
"How it works": "Jak to funguje",
"You can also check the full guide in ": "Taky se můžeš podívat na návod",
"How to use": "Jak se používá",
"What payment methods are accepted?": "Jaké jsou akceptované platební metody?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Všechny, pokud jsou rychlé. Vždy můžeš dopsat svou preferovanou platební metodu, jenom bude muset být protistrana, která jí příjme. Část s odesláním fiatu má limit 24h, potom se automaticky otevře spor. Doporučujeme použití okamžitých platebních metod.",
"Are there trade limits?": "Je nějaký obchodní limit?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Maximální velikost obchodu je {{maxAmount}} Satoshi, aby byl minimalizován neúspěch lightning routing. Denní limit obchodu není, pouze robot může mít vždy pouze jednu nabídku. Ale součastně je možné mít více robotu v různých prohlížečích (nezapoměň na zálohu tokenů robotů).",
"Is RoboSats private?": "Narušuje RoboSats soukromí?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats nikdy nežádá o soukromé údaje jako jméno, bydliště a doklady totožnosti. RoboSats nespravuje žádné prostředky a nezajímá se kdo jsi. RoboSats nesbírá a nespravuje osobní informace. Pro větší anonymitu použij Tor Browser a .onion adresu.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Jediný kdo může o tobě poteciálně cokoliv zjistit je protistrana obchodu. Udrž chat krátký a stručný. Vyhni se všemu co není důležité pro fiat platbu.",
"What are the risks?": "Jaké jsou rizika?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Toto je experimentální aplikace, věci se mohou pokazit. Obchoduj s malými částkami!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Prodejce čelí riziku vratky platby jako v každé peer-to-peer službě. Paypal nebo platební karty nejsou doporučené.",
"What is the trust model?": "Jaký je model důvěry?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Kupující a prodavající si nemusí věřit. Trochu se musí důvěřovat RoboSats, protože propojuje hodl invoice prodavajícího a platba kupujícímu není atomic (zatím). Kromě toho, spory jsou řešeny personálem RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Aby jsem si to shrnuli, potřeba důvěry je minimalizována. Přesto existuje jedna cesta jak RoboSats může utéct se satoshi: neuvolnit je kupujícímu. Dalo by se namítnout, že takový krok není v zájmu RoboSats, kvůli malé platbě si zničit reputaci. Z toho důvodu bys měl obchodovat pouze s malými částkami najednou. Pro větší částky použij onchain aplikace jako Bisq.",
"You can build more trust on RoboSats by inspecting the source code.": "Můžeš si vybudovat větší důvěru v RoboSats zkontrolováním zdrojového kódu.",
"Project source code": "Zdrojový kód projektu",
"What happens if RoboSats suddenly disappears?": "Co se stane pokud RoboSats náhle zmizí?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Tvé saty se ti vrátí. Jakýkoliv hold invoice, který není vypořádán se automaticky vrací i v případě trvalého konce RoboSats. Toto platí pro kauce i úschovu. Přesto je malé okno mezi potvrzením od prodavajícího FIAT OBDRŽEN a momentem kdy kupující obdrží své satoshi, by mohli být navždy ztraceny v případě zmizení RoboSats. Okno je dlouhé 1 vteřinu. Z toho důvodu měj dostatečnou inbound likviditu aby byl vyloučeno routing selhání. Pokud máš jakýkoliv problém obrať se na nás prostřednictvým veřejných RoboSats kanálu.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "V mnoha zemích není rozdíl mezi používáním RoboSats a Ebay nebo Craiglistu. Regulace jsou různé, je tvá povinnost jim vyhovět.",
"Is RoboSats legal in my country?": "Je RoboSats legální v mé zemi?",
"Disclaimer": "Zřeknutí se odpovědnosti",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Tato lightning aplikace se poskytuje jak je. V aktivním vývoji: obchoduj s maximální opatrností. Neexistuje žádná soukromá podpora. Podpora se poskytuje pouze na veřejných kanálech.",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats tě nikdy nebude kontaktovat. RoboSats tě nikdy nepožáda o tvůj robot token."
}

View File

@ -3,426 +3,417 @@
"You are not using RoboSats privately": "Du nutzt RoboSats nicht privat",
"desktop_unsafe_alert": "Einige Funktionen sind zu deinem Schutz deaktiviert (z.B. der Chat) und du kannst ohne sie keinen Handel abschließen. Um deine Privatsphäre zu schützen und RoboSats vollständig zu nutzen, verwende <1>Tor Browser</1> und besuche die <3>Onion</3> Seite.",
"phone_unsafe_alert": "Du wirst nicht in der Lage sein, einen Handel abzuschließen. Benutze <1>Tor Browser</1> und besuche die <3>Onion</3> Seite.",
"Hide":"Ausblenden",
"Hide": "Ausblenden",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Einfache und private LN P2P-Börse",
"This is your trading avatar":"Dies ist dein Handelsavatar",
"Store your token safely":"Verwahre deinen Token sicher",
"A robot avatar was found, welcome back!":"Der Roboter-Avatar wurde gefunden, willkommen zurück!",
"Copied!":"Kopiert!",
"Generate a new token":"Generiere einen neuen Token",
"Generate Robot":"Roboter generieren",
"You must enter a new token first":"Du musst zuerst einen neuen Token eingeben",
"Make Order":"Erstellen",
"Info":"Info",
"View Book":"Annehmen",
"Learn RoboSats":"Lerne RoboSats kennen",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Du bist dabei die Website 'lerne RoboSats kennen' zu besuchen. Hier findest du Tutorials und Dokumentationen, die dir helfen RoboSats zu benutzen und zu verstehen wie es funktioniert.",
"Let's go!":"Los gehts!",
"Save token and PGP credentials to file":"Token und PGP-Anmeldeinformationen in einer Datei speichern",
"This is your trading avatar": "Dies ist dein Handelsavatar",
"Store your token safely": "Verwahre deinen Token sicher",
"A robot avatar was found, welcome back!": "Der Roboter-Avatar wurde gefunden, willkommen zurück!",
"Copied!": "Kopiert!",
"Generate a new token": "Generiere einen neuen Token",
"Generate Robot": "Roboter generieren",
"You must enter a new token first": "Du musst zuerst einen neuen Token eingeben",
"Make Order": "Erstellen",
"Info": "Info",
"View Book": "Annehmen",
"Learn RoboSats": "Lerne RoboSats kennen",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Du bist dabei die Website 'lerne RoboSats kennen' zu besuchen. Hier findest du Tutorials und Dokumentationen, die dir helfen RoboSats zu benutzen und zu verstehen wie es funktioniert.",
"Let's go!": "Los gehts!",
"Save token and PGP credentials to file": "Token und PGP-Anmeldeinformationen in einer Datei speichern",
"MAKER PAGE - MakerPage.js": "Dies ist die Seite, auf der Benutzer neue Angebote erstellen können",
"Order":"Order",
"Customize":"Anpassen",
"Buy or Sell Bitcoin?":"Bitcoin kaufen oder verkaufen?",
"Buy":"Kaufen",
"Sell":"Verkaufen",
"Amount":"Menge",
"Amount of fiat to exchange for bitcoin":"Fiat-Betrag zum Austausch in Bitcoin",
"Invalid":"Ungültig",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Gib deine bevorzugten Fiat-Zahlungsweisen an. Schnelle Methoden werden dringend empfohlen.",
"Must be shorter than 65 characters":"Muss kürzer als 65 Zeichen sein",
"Swap Destination(s)":"austausch Ziel(e)",
"Fiat Payment Method(s)":"Fiat Zahlungsmethode(n)",
"You can add new methods":"Du kannst neue Methoden hinzufügen",
"Add New":"Neu hinzufügen",
"Choose a Pricing Method":"Wähle eine Preismethode",
"Relative":"Relativ",
"Let the price move with the market":"Passe den Preis konstant dem Markt an",
"Premium over Market (%)":"Marktpreis Aufschlag (%)",
"Explicit":"Explizit",
"Set a fix amount of satoshis":"Setze eine feste Anzahl an Satoshis",
"Satoshis":"Satoshis",
"Fixed price:":"Fixer Preis:",
"Order current rate:":"Aktueller Order-Kurs:",
"Your order fixed exchange rate":"Dein fixierter Order-Kurs",
"Your order's current exchange rate. Rate will move with the market.":"Der aktuelle Wechselkurs für deine Order. Der Kurs wird sich mit dem Markt verändern.",
"Let the taker chose an amount within the range":"Lasse den Taker einen Betrag innerhalb der Spanne wählen",
"Enable Amount Range":"Betragsbereich einschalten",
"Order": "Order",
"Customize": "Anpassen",
"Buy or Sell Bitcoin?": "Bitcoin kaufen oder verkaufen?",
"Buy": "Kaufen",
"Sell": "Verkaufen",
"Amount": "Menge",
"Amount of fiat to exchange for bitcoin": "Fiat-Betrag zum Austausch in Bitcoin",
"Invalid": "Ungültig",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Gib deine bevorzugten Fiat-Zahlungsweisen an. Schnelle Methoden werden dringend empfohlen.",
"Must be shorter than 65 characters": "Muss kürzer als 65 Zeichen sein",
"Swap Destination(s)": "austausch Ziel(e)",
"Fiat Payment Method(s)": "Fiat Zahlungsmethode(n)",
"You can add new methods": "Du kannst neue Methoden hinzufügen",
"Add New": "Neu hinzufügen",
"Choose a Pricing Method": "Wähle eine Preismethode",
"Relative": "Relativ",
"Let the price move with the market": "Passe den Preis konstant dem Markt an",
"Premium over Market (%)": "Marktpreis Aufschlag (%)",
"Explicit": "Explizit",
"Set a fix amount of satoshis": "Setze eine feste Anzahl an Satoshis",
"Satoshis": "Satoshis",
"Fixed price:": "Fixer Preis:",
"Order current rate:": "Aktueller Order-Kurs:",
"Your order fixed exchange rate": "Dein fixierter Order-Kurs",
"Your order's current exchange rate. Rate will move with the market.": "Der aktuelle Wechselkurs für deine Order. Der Kurs wird sich mit dem Markt verändern.",
"Let the taker chose an amount within the range": "Lasse den Taker einen Betrag innerhalb der Spanne wählen",
"Enable Amount Range": "Betragsbereich einschalten",
"From": "Von",
"to":"bis",
"Expiry Timers":"Ablauf-Timer",
"Public Duration (HH:mm)":"Angebotslaufzeit (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Treuhand-Einzahlungs-Timeout (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Lege die Kaution fest, erhöhen für mehr Sicherheit",
"Fidelity Bond Size":"Höhe der Kaution",
"Allow bondless takers":"Erlaube kautionslose Taker",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"BALD VERFÜGBAR - Hohes Risiko! Limit: {{limitSats}}K Sats",
"You must fill the order correctly":"Du musst die Order korrekt ausfüllen",
"Create Order":"Order erstellen",
"Back":"Zurück",
"Create an order for ":"Erstelle eine Order für ",
"Create a BTC buy order for ":"Erstelle ein BTC-Kaufangebot für ",
"Create a BTC sell order for ":"Erstelle ein BTC-Verkaufsaufangebot für ",
" of {{satoshis}} Satoshis":" für {{satoshis}} Satoshis",
" at market price":" zum Marktpreis",
" at a {{premium}}% premium":" mit einem {{premium}}% Aufschlag",
" at a {{discount}}% discount":" mit einem {{discount}}% Rabatt",
"Must be less than {{max}}%":"Muss weniger sein als {{max}}%",
"Must be more than {{min}}%":"Muss mehr sein als {{min}}%",
"to": "bis",
"Expiry Timers": "Ablauf-Timer",
"Public Duration (HH:mm)": "Angebotslaufzeit (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Treuhand-Einzahlungs-Timeout (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Lege die Kaution fest, erhöhen für mehr Sicherheit",
"Fidelity Bond Size": "Höhe der Kaution",
"Allow bondless takers": "Erlaube kautionslose Taker",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "BALD VERFÜGBAR - Hohes Risiko! Limit: {{limitSats}}K Sats",
"You must fill the order correctly": "Du musst die Order korrekt ausfüllen",
"Create Order": "Order erstellen",
"Back": "Zurück",
"Create an order for ": "Erstelle eine Order für ",
"Create a BTC buy order for ": "Erstelle ein BTC-Kaufangebot für ",
"Create a BTC sell order for ": "Erstelle ein BTC-Verkaufsaufangebot für ",
" of {{satoshis}} Satoshis": " für {{satoshis}} Satoshis",
" at market price": " zum Marktpreis",
" at a {{premium}}% premium": " mit einem {{premium}}% Aufschlag",
" at a {{discount}}% discount": " mit einem {{discount}}% Rabatt",
"Must be less than {{max}}%": "Muss weniger sein als {{max}}%",
"Must be more than {{min}}%": "Muss mehr sein als {{min}}%",
"Must be less than {{maxSats}": "Muss weniger sein als {{maxSats}}",
"Must be more than {{minSats}}": "Muss mehr sein als {{minSats}}",
"Store your robot token":"Speicher Roboter-Token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Vielleicht musst du deinen Roboter-Avatar in Zukunft wiederherstellen: Bewahre ihn sicher auf. Du kannst ihn einfach in eine andere Anwendung kopieren.",
"Done":"Fertig",
"You do not have a robot avatar":"Du hast keinen Roboter-Avatar",
"You need to generate a robot avatar in order to become an order maker":"Du musst einen Roboter-Avatar erstellen, um ein Maker zu werden.",
"Store your robot token": "Speicher Roboter-Token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Vielleicht musst du deinen Roboter-Avatar in Zukunft wiederherstellen: Bewahre ihn sicher auf. Du kannst ihn einfach in eine andere Anwendung kopieren.",
"Done": "Fertig",
"You do not have a robot avatar": "Du hast keinen Roboter-Avatar",
"You need to generate a robot avatar in order to become an order maker": "Du musst einen Roboter-Avatar erstellen, um ein Maker zu werden.",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Nicht definiert",
"Instant SEPA":"Instant SEPA",
"Amazon GiftCard":"Amazon Gutschein",
"Google Play Gift Code":"Google Play Gutschein",
"Cash F2F":"Cash F2F",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Nicht definiert",
"Instant SEPA": "Instant SEPA",
"Amazon GiftCard": "Amazon Gutschein",
"Google Play Gift Code": "Google Play Gutschein",
"Cash F2F": "Cash F2F",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Verkäufer",
"Buyer": "Käufer",
"I want to": "Ich möchte",
"Select Order Type": "Order Typ auswählen",
"ANY_type": "ALLE",
"ANY_currency": "ALLE",
"BUY": "KAUFEN",
"SELL": "VERKAUFEN",
"and receive": "und erhalte",
"and pay with": "und zahlen mit",
"and use": "und verwende",
"Select Payment Currency": "Währung auswählen",
"Robot": "Roboter",
"Is": "Ist",
"Currency": "Währung",
"Payment Method": "Zahlungsweise",
"Pay": "Bezahlung",
"Price": "Preis",
"Premium": "Aufschlag",
"You are SELLING BTC for {{currencyCode}}": "Du VERKAUFST BTC für {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Du KAUFST BTC für {{currencyCode}}",
"You are looking at all": "Alle werden angezeigt",
"No orders found to sell BTC for {{currencyCode}}": "Keine BTC-Verkaufsangebote für {{currencyCode}} gefunden",
"No orders found to buy BTC for {{currencyCode}}": "Keine BTC-Kaufsangebote für {{currencyCode}} gefunden",
"Filter has no results": "Filter hat keine Ergebnisse",
"Be the first one to create an order": "Sei der Erste, der ein Angebot erstellt",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Verkäufer",
"Buyer":"Käufer",
"I want to":"Ich möchte",
"Select Order Type":"Order Typ auswählen",
"ANY_type":"ALLE",
"ANY_currency":"ALLE",
"BUY":"KAUFEN",
"SELL":"VERKAUFEN",
"and receive":"und erhalte",
"and pay with":"und zahlen mit",
"and use":"und verwende",
"Select Payment Currency":"Währung auswählen",
"Robot":"Roboter",
"Is":"Ist",
"Currency":"Währung",
"Payment Method":"Zahlungsweise",
"Pay":"Bezahlung",
"Price":"Preis",
"Premium":"Aufschlag",
"You are SELLING BTC for {{currencyCode}}":"Du VERKAUFST BTC für {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"Du KAUFST BTC für {{currencyCode}}",
"You are looking at all":"Alle werden angezeigt",
"No orders found to sell BTC for {{currencyCode}}":"Keine BTC-Verkaufsangebote für {{currencyCode}} gefunden",
"No orders found to buy BTC for {{currencyCode}}":"Keine BTC-Kaufsangebote für {{currencyCode}} gefunden",
"Filter has no results":"Filter hat keine Ergebnisse",
"Be the first one to create an order":"Sei der Erste, der ein Angebot erstellt",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Statistiken für Nerds",
"LND version":"LND-Version",
"Currently running commit hash":"Aktuell laufender Commit-Hash",
"24h contracted volume":"24h Handelsvolumen",
"Lifetime contracted volume":"Handelsvolumen insgesamt",
"Made with":"Gemacht mit",
"and":"und",
"... somewhere on Earth!":"... irgendwo auf der Erde!",
"Community":"Community",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Support wird nur über öffentliche Kanäle angeboten. Tritt unserer Telegram-Community bei, wenn du Fragen hast oder dich mit anderen coolen Robotern austauschen möchtest. Bitte nutze unsere Github Issues, wenn du einen Fehler findest oder neue Funktionen sehen willst!",
"Follow RoboSats in Twitter":"Folge RoboSats auf Twitter",
"Twitter Official Account":"Offizieller Twitter-Account",
"RoboSats Telegram Communities":"RoboSats Telegram Gruppen",
"Join RoboSats Spanish speaking community!":"Tritt der Spanischen RoboSats-Gruppe bei!",
"Join RoboSats Russian speaking community!":"Tritt der Russischen RoboSats-Gruppe bei!",
"Join RoboSats Chinese speaking community!":"Tritt der Chinesischen RoboSats-Gruppe bei!",
"Join RoboSats English speaking community!":"Tritt der Englischen RoboSats-Gruppe bei!",
"Tell us about a new feature or a bug":"Erzähle uns von neuen Funktionen oder einem Fehler",
"Github Issues - The Robotic Satoshis Open Source Project":"Github Issues - Das Roboter-Satoshi Open-Source-Projekt",
"Your Profile":"Dein Profil",
"Your robot":"Dein Roboter",
"One active order #{{orderID}}":"Eine aktive Order #{{orderID}}",
"Your current order":"Deine aktuelle Order",
"No active orders":"Keine aktive Order",
"Your token (will not remain here)":"Dein Token (wird hier nicht gespeichert)",
"Back it up!":"Speicher ihn ab!",
"Cannot remember":"Kann mich nicht erinnern",
"Rewards and compensations":"Belohnungen und Entschädigungen",
"Share to earn 100 Sats per trade":"Teilen, um 100 Sats pro Handel zu verdienen",
"Your referral link":"Dein Empfehlungslink",
"Your earned rewards":"Deine verdienten Belohnungen",
"Claim":"Erhalten",
"Invoice for {{amountSats}} Sats":"Invoice für {{amountSats}} Sats",
"Submit":"Bestätigen",
"There it goes, thank you!🥇":"Das war's, vielen Dank!🥇",
"You have an active order":"Du hast eine aktive Order",
"You can claim satoshis!":"Du kannst Satoshis abholen!",
"Public Buy Orders":"Öffentliche Kaufangebote",
"Public Sell Orders":"Öffentliche Verkaufsangebote",
"Today Active Robots":"Heute aktive Roboter",
"24h Avg Premium":"24h Durchschnittsaufschlag",
"Trade Fee":"Handelsgebühr",
"Show community and support links":"Community- und Support-Links anzeigen",
"Show stats for nerds":"Statistiken für Nerds anzeigen",
"Exchange Summary":"Börsen-Zusammenfassung",
"Public buy orders":"Öffentliche Kaufangebote",
"Public sell orders":"Öffentliche Verkaufsangebote",
"Book liquidity":"Marktplatz-Liquidität",
"Today active robots":"Heute aktive Roboter",
"24h non-KYC bitcoin premium":"24h non-KYC Bitcoin-Aufschlag",
"Maker fee":"Makergebühr",
"Taker fee":"Takergebühr",
"Number of public BUY orders":"Anzahl der öffentlichen KAUF-Angebote",
"Number of public SELL orders":"Anzahl der öffentlichen VERKAUFS-Angebote",
"Your last order #{{orderID}}":"Deine letzte Order #{{orderID}}",
"Inactive order":"Inaktive Order",
"You do not have previous orders":"Du hast keine vorherige Order",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Statistiken für Nerds",
"LND version": "LND-Version",
"Currently running commit hash": "Aktuell laufender Commit-Hash",
"24h contracted volume": "24h Handelsvolumen",
"Lifetime contracted volume": "Handelsvolumen insgesamt",
"Made with": "Gemacht mit",
"and": "und",
"... somewhere on Earth!": "... irgendwo auf der Erde!",
"Community": "Community",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Support wird nur über öffentliche Kanäle angeboten. Tritt unserer Telegram-Community bei, wenn du Fragen hast oder dich mit anderen coolen Robotern austauschen möchtest. Bitte nutze unsere Github Issues, wenn du einen Fehler findest oder neue Funktionen sehen willst!",
"Follow RoboSats in Twitter": "Folge RoboSats auf Twitter",
"Twitter Official Account": "Offizieller Twitter-Account",
"RoboSats Telegram Communities": "RoboSats Telegram Gruppen",
"Join RoboSats Spanish speaking community!": "Tritt der Spanischen RoboSats-Gruppe bei!",
"Join RoboSats Russian speaking community!": "Tritt der Russischen RoboSats-Gruppe bei!",
"Join RoboSats Chinese speaking community!": "Tritt der Chinesischen RoboSats-Gruppe bei!",
"Join RoboSats English speaking community!": "Tritt der Englischen RoboSats-Gruppe bei!",
"Tell us about a new feature or a bug": "Erzähle uns von neuen Funktionen oder einem Fehler",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - Das Roboter-Satoshi Open-Source-Projekt",
"Your Profile": "Dein Profil",
"Your robot": "Dein Roboter",
"One active order #{{orderID}}": "Eine aktive Order #{{orderID}}",
"Your current order": "Deine aktuelle Order",
"No active orders": "Keine aktive Order",
"Your token (will not remain here)": "Dein Token (wird hier nicht gespeichert)",
"Back it up!": "Speicher ihn ab!",
"Cannot remember": "Kann mich nicht erinnern",
"Rewards and compensations": "Belohnungen und Entschädigungen",
"Share to earn 100 Sats per trade": "Teilen, um 100 Sats pro Handel zu verdienen",
"Your referral link": "Dein Empfehlungslink",
"Your earned rewards": "Deine verdienten Belohnungen",
"Claim": "Erhalten",
"Invoice for {{amountSats}} Sats": "Invoice für {{amountSats}} Sats",
"Submit": "Bestätigen",
"There it goes, thank you!🥇": "Das war's, vielen Dank!🥇",
"You have an active order": "Du hast eine aktive Order",
"You can claim satoshis!": "Du kannst Satoshis abholen!",
"Public Buy Orders": "Öffentliche Kaufangebote",
"Public Sell Orders": "Öffentliche Verkaufsangebote",
"Today Active Robots": "Heute aktive Roboter",
"24h Avg Premium": "24h Durchschnittsaufschlag",
"Trade Fee": "Handelsgebühr",
"Show community and support links": "Community- und Support-Links anzeigen",
"Show stats for nerds": "Statistiken für Nerds anzeigen",
"Exchange Summary": "Börsen-Zusammenfassung",
"Public buy orders": "Öffentliche Kaufangebote",
"Public sell orders": "Öffentliche Verkaufsangebote",
"Book liquidity": "Marktplatz-Liquidität",
"Today active robots": "Heute aktive Roboter",
"24h non-KYC bitcoin premium": "24h non-KYC Bitcoin-Aufschlag",
"Maker fee": "Makergebühr",
"Taker fee": "Takergebühr",
"Number of public BUY orders": "Anzahl der öffentlichen KAUF-Angebote",
"Number of public SELL orders": "Anzahl der öffentlichen VERKAUFS-Angebote",
"Your last order #{{orderID}}": "Deine letzte Order #{{orderID}}",
"Inactive order": "Inaktive Order",
"You do not have previous orders": "Du hast keine vorherige Order",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Angebots-Box",
"Contract":"Vertrag",
"Active":"Activ",
"Seen recently":"Kürzlich gesehen",
"Inactive":"Inactiv",
"(Seller)":"(Verkäufer)",
"(Buyer)":"(Käufer)",
"Order maker":"Order-Maker",
"Order taker":"Order-Taker",
"Order Details":"Order-Details",
"Order status":"Order-Status",
"Waiting for maker bond":"Warten auf Maker-Kaution",
"Public":"Public",
"Waiting for taker bond":"Warten auf Taker-Kaution",
"Cancelled":"Abgebrochen",
"Expired":"Abgelaufen",
"Waiting for trade collateral and buyer invoice":"Warten auf Handels-Kaution und Käufer-Invoice",
"Waiting only for seller trade collateral":"Auf Kaution des Verkäufers warten",
"Waiting only for buyer invoice":"Warten auf Käufer-Invoice",
"Sending fiat - In chatroom":"Fiat senden - Im Chatroom",
"Fiat sent - In chatroom":"Fiat bezahlt - Im Chatroom",
"In dispute":"Offener Streitfall",
"Collaboratively cancelled":"Gemeinsam abgebrochen",
"Sending satoshis to buyer":"Sende Satoshis an den Käufer",
"Sucessful trade":"Erfolgreicher Handel",
"Failed lightning network routing":"Weiterleitung im Lightning-Netzwerk fehlgeschlagen",
"Wait for dispute resolution":"Warten auf Streitschlichtung",
"Maker lost dispute":"Maker hat Fall verloren",
"Taker lost dispute":"Taker hat Fall verloren",
"Amount range":"Betragsspanne",
"Swap destination":"Austausch-Ziel",
"Accepted payment methods":"Akzeptierte Zahlungsweisen",
"Others":"Weitere",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Aufschlag: {{premium}}%",
"Price and Premium":"Preis und Aufschlag",
"Amount of Satoshis":"Anzahl Satoshis",
"Premium over market price":"Aufschlag über dem Marktpreis",
"Order ID":"Order-ID",
"Deposit timer":"Einzahlungstimer",
"Expires in":"Läuft ab in",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} bittet um gemeinsamen Abbruch",
"You asked for a collaborative cancellation":"Du hast um einen gemeinsamen Abbruch gebeten",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Die Invoice ist abgelaufen. Du hast die Veröffentlichung der Order nicht rechtzeitig bestätigt. Erstelle eine neue Order.",
"This order has been cancelled by the maker":"Diese Order wurde vom Maker storniert",
"Invoice expired. You did not confirm taking the order in time.":"Die Invoice ist abgelaufen. Du hast die Annahme der Order nicht rechtzeitig bestätigt.",
"Penalty lifted, good to go!":"Die Strafe ist aufgehoben, es kann losgehen!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Du kannst noch keine Order annehmen! Warte {{timeMin}}m {{timeSec}}s",
"Too low":"Zu niedrig",
"Too high":"Zu hoch",
"Enter amount of fiat to exchange for bitcoin":"Fiat-Betrag für den Umtausch in Bitcoin eingeben",
"Amount {{currencyCode}}":"Betrag {{currencyCode}}",
"You must specify an amount first":"Du musst zuerst einen Betrag angeben",
"Take Order":"Order annehmen",
"Wait until you can take an order":"Warte, bis du eine Order annehmen kannst",
"Cancel the order?":"Order abbrechen?",
"If the order is cancelled now you will lose your bond.":"Wenn die Order jetzt storniert wird, verlierst du deine Kaution.",
"Confirm Cancel":"Abbruch bestätigen",
"The maker is away":"Der Maker ist abwesend",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Wenn du diese Order annimmst, riskierst du, deine Zeit zu verschwenden. Wenn der Maker nicht rechtzeitig handelt, erhältst du eine Entschädigung in Satoshis in Höhe von 50 % der Maker-Kaution.",
"Collaborative cancel the order?":"Order gemeinsam abbrechen?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Der Trade wurde veröffentlicht. Die Order kann nur storniert werden, wenn Maker und Taker der Stornierung gemeinsam zustimmen.",
"Ask for Cancel":"Bitte um Abbruch",
"Cancel":"Abbrechen",
"Collaborative Cancel":"Gemeinsamer Abbruch",
"Invalid Order Id":"Ungültige Order-ID",
"You must have a robot avatar to see the order details":"Du musst einen Roboter-Avatar besitzen, um die Orderdetails zu sehen",
"This order has been cancelled collaborativelly":"Diese Order wurde gemeinsam abgebrochen",
"You are not allowed to see this order":"Du darfst diese Order nicht sehen",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Die Roboter-Satoshis, die im Lager arbeiten, haben dich nicht verstanden. Bitte, melde den Fehler über Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Du",
"Peer":"Partner",
"connected":"verbunden",
"disconnected":"getrennt",
"Type a message":"Schreibe eine Nachricht",
"Connecting...":"Verdinden...",
"Send":"Senden",
"Verify your privacy":"Überprüfe deine Privatsphäre",
"Audit PGP":"Audit PGP",
"Save full log as a JSON file (messages and credentials)":"Vollständiges Protokoll als JSON-Datei speichern ( Nachrichten und Anmeldeinformationen)",
"Export":"Exportieren",
"Don't trust, verify":"Don't trust, verify",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"Deine Kommunikation wird Ende-zu-Ende mit OpenPGP verschlüsselt. Du kannst die Vertraulichkeit dieses Chats mit jedem OpenPGP-Standard Tool überprüfen.",
"Learn how to verify":"Learn how to verify",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Dein öffentlicher PGP-Schlüssel. Dein Chatpartner verwendet ihn für das Verschlüsseln der Nachrichten, damit nur du sie lesen kannst.",
"Your public key":"Dein öffentlicher Schlüssel",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"Der öffentliche PGP-Schlüssel deines Chatpartners. Du verwendest ihn um Nachrichten zu verschlüsseln, die nur er lesen kann und um zu überprüfen, ob dein Gegenüber die eingehenden Nachrichten signiert hat.",
"Peer public key":"Öffentlicher Schlüssel des Partners",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"Dein verschlüsselter privater Schlüssel. Du verwendest ihn um die Nachrichten zu entschlüsseln, die dein Peer für dich verschlüsselt hat. Außerdem signierst du mit ihm die Nachrichten die du sendest.",
"Your encrypted private key":"Dein verschlüsselter privater Schlüssel",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"Die Passphrase zur Entschlüsselung deines privaten Schlüssels. Nur du kennst sie! Bitte nicht weitergeben. Sie ist auch dein Benutzer-Token für den Roboter-Avatar.",
"Your private key passphrase (keep secure!)":"Deine Passphrase für den privaten Schlüssel (sicher aufbewahren!)",
"Save credentials as a JSON file":"Anmeldeinformationen als JSON-Datei speichern",
"Keys":"Schlüssel",
"Save messages as a JSON file":"Nachrichten als JSON-Datei speichern",
"Messages":"Nachrichten",
"Order Box": "Angebots-Box",
"Contract": "Vertrag",
"Active": "Activ",
"Seen recently": "Kürzlich gesehen",
"Inactive": "Inactiv",
"(Seller)": "(Verkäufer)",
"(Buyer)": "(Käufer)",
"Order maker": "Order-Maker",
"Order taker": "Order-Taker",
"Order Details": "Order-Details",
"Order status": "Order-Status",
"Waiting for maker bond": "Warten auf Maker-Kaution",
"Public": "Public",
"Waiting for taker bond": "Warten auf Taker-Kaution",
"Cancelled": "Abgebrochen",
"Expired": "Abgelaufen",
"Waiting for trade collateral and buyer invoice": "Warten auf Handels-Kaution und Käufer-Invoice",
"Waiting only for seller trade collateral": "Auf Kaution des Verkäufers warten",
"Waiting only for buyer invoice": "Warten auf Käufer-Invoice",
"Sending fiat - In chatroom": "Fiat senden - Im Chatroom",
"Fiat sent - In chatroom": "Fiat bezahlt - Im Chatroom",
"In dispute": "Offener Streitfall",
"Collaboratively cancelled": "Gemeinsam abgebrochen",
"Sending satoshis to buyer": "Sende Satoshis an den Käufer",
"Sucessful trade": "Erfolgreicher Handel",
"Failed lightning network routing": "Weiterleitung im Lightning-Netzwerk fehlgeschlagen",
"Wait for dispute resolution": "Warten auf Streitschlichtung",
"Maker lost dispute": "Maker hat Fall verloren",
"Taker lost dispute": "Taker hat Fall verloren",
"Amount range": "Betragsspanne",
"Swap destination": "Austausch-Ziel",
"Accepted payment methods": "Akzeptierte Zahlungsweisen",
"Others": "Weitere",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Aufschlag: {{premium}}%",
"Price and Premium": "Preis und Aufschlag",
"Amount of Satoshis": "Anzahl Satoshis",
"Premium over market price": "Aufschlag über dem Marktpreis",
"Order ID": "Order-ID",
"Deposit timer": "Einzahlungstimer",
"Expires in": "Läuft ab in",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} bittet um gemeinsamen Abbruch",
"You asked for a collaborative cancellation": "Du hast um einen gemeinsamen Abbruch gebeten",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Die Invoice ist abgelaufen. Du hast die Veröffentlichung der Order nicht rechtzeitig bestätigt. Erstelle eine neue Order.",
"This order has been cancelled by the maker": "Diese Order wurde vom Maker storniert",
"Invoice expired. You did not confirm taking the order in time.": "Die Invoice ist abgelaufen. Du hast die Annahme der Order nicht rechtzeitig bestätigt.",
"Penalty lifted, good to go!": "Die Strafe ist aufgehoben, es kann losgehen!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Du kannst noch keine Order annehmen! Warte {{timeMin}}m {{timeSec}}s",
"Too low": "Zu niedrig",
"Too high": "Zu hoch",
"Enter amount of fiat to exchange for bitcoin": "Fiat-Betrag für den Umtausch in Bitcoin eingeben",
"Amount {{currencyCode}}": "Betrag {{currencyCode}}",
"You must specify an amount first": "Du musst zuerst einen Betrag angeben",
"Take Order": "Order annehmen",
"Wait until you can take an order": "Warte, bis du eine Order annehmen kannst",
"Cancel the order?": "Order abbrechen?",
"If the order is cancelled now you will lose your bond.": "Wenn die Order jetzt storniert wird, verlierst du deine Kaution.",
"Confirm Cancel": "Abbruch bestätigen",
"The maker is away": "Der Maker ist abwesend",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Wenn du diese Order annimmst, riskierst du, deine Zeit zu verschwenden. Wenn der Maker nicht rechtzeitig handelt, erhältst du eine Entschädigung in Satoshis in Höhe von 50 % der Maker-Kaution.",
"Collaborative cancel the order?": "Order gemeinsam abbrechen?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Der Trade wurde veröffentlicht. Die Order kann nur storniert werden, wenn Maker und Taker der Stornierung gemeinsam zustimmen.",
"Ask for Cancel": "Bitte um Abbruch",
"Cancel": "Abbrechen",
"Collaborative Cancel": "Gemeinsamer Abbruch",
"Invalid Order Id": "Ungültige Order-ID",
"You must have a robot avatar to see the order details": "Du musst einen Roboter-Avatar besitzen, um die Orderdetails zu sehen",
"This order has been cancelled collaborativelly": "Diese Order wurde gemeinsam abgebrochen",
"You are not allowed to see this order": "Du darfst diese Order nicht sehen",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Die Roboter-Satoshis, die im Lager arbeiten, haben dich nicht verstanden. Bitte, melde den Fehler über Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Du",
"Peer": "Partner",
"connected": "verbunden",
"disconnected": "getrennt",
"Type a message": "Schreibe eine Nachricht",
"Connecting...": "Verdinden...",
"Send": "Senden",
"Verify your privacy": "Überprüfe deine Privatsphäre",
"Audit PGP": "Audit PGP",
"Save full log as a JSON file (messages and credentials)": "Vollständiges Protokoll als JSON-Datei speichern ( Nachrichten und Anmeldeinformationen)",
"Export": "Exportieren",
"Don't trust, verify": "Don't trust, verify",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "Deine Kommunikation wird Ende-zu-Ende mit OpenPGP verschlüsselt. Du kannst die Vertraulichkeit dieses Chats mit jedem OpenPGP-Standard Tool überprüfen.",
"Learn how to verify": "Learn how to verify",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Dein öffentlicher PGP-Schlüssel. Dein Chatpartner verwendet ihn für das Verschlüsseln der Nachrichten, damit nur du sie lesen kannst.",
"Your public key": "Dein öffentlicher Schlüssel",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Der öffentliche PGP-Schlüssel deines Chatpartners. Du verwendest ihn um Nachrichten zu verschlüsseln, die nur er lesen kann und um zu überprüfen, ob dein Gegenüber die eingehenden Nachrichten signiert hat.",
"Peer public key": "Öffentlicher Schlüssel des Partners",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "Dein verschlüsselter privater Schlüssel. Du verwendest ihn um die Nachrichten zu entschlüsseln, die dein Peer für dich verschlüsselt hat. Außerdem signierst du mit ihm die Nachrichten die du sendest.",
"Your encrypted private key": "Dein verschlüsselter privater Schlüssel",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Die Passphrase zur Entschlüsselung deines privaten Schlüssels. Nur du kennst sie! Bitte nicht weitergeben. Sie ist auch dein Benutzer-Token für den Roboter-Avatar.",
"Your private key passphrase (keep secure!)": "Deine Passphrase für den privaten Schlüssel (sicher aufbewahren!)",
"Save credentials as a JSON file": "Anmeldeinformationen als JSON-Datei speichern",
"Keys": "Schlüssel",
"Save messages as a JSON file": "Nachrichten als JSON-Datei speichern",
"Messages": "Nachrichten",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Vertrags-Box",
"Contract Box": "Vertrags-Box",
"Robots show commitment to their peers": "Roboter verpflichten sich ihren Gegenübern",
"Lock {{amountSats}} Sats to PUBLISH order": "Sperre {{amountSats}} Sats zum VERÖFFENTLICHEN",
"Lock {{amountSats}} Sats to TAKE order": "Sperre {{amountSats}} Sats zum ANNEHMEN",
"Lock {{amountSats}} Sats as collateral": "Sperre {{amountSats}} Sats als Sicherheit",
"Copy to clipboard":"In Zwischenablage kopieren",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Diese Invoice wird in deiner Wallet eingefroren. Sie wird nur belastet, wenn du abbrichst oder einen Streitfall verlierst.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Diese Invoice wird in deiner Wallet eingefroren. Sie wird erst durchgeführt sobald du die {{currencyCode}}-Zahlung bestätigst.",
"Your maker bond is locked":"Deine Maker-Kaution ist gesperrt",
"Your taker bond is locked":"Deine Taker-Kaution ist gesperrt",
"Your maker bond was settled":"Deine Maker-Kaution wurde bezahlt",
"Your taker bond was settled":"Deine Taker-Kaution wurde bezahlt.",
"Your maker bond was unlocked":"Deine Maker-Kaution wurde freigegeben",
"Your taker bond was unlocked":"Deine Taker-Kaution wurde freigegeben.",
"Your order is public":"Deine Order ist öffentlich",
"Copy to clipboard": "In Zwischenablage kopieren",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Diese Invoice wird in deiner Wallet eingefroren. Sie wird nur belastet, wenn du abbrichst oder einen Streitfall verlierst.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Diese Invoice wird in deiner Wallet eingefroren. Sie wird erst durchgeführt sobald du die {{currencyCode}}-Zahlung bestätigst.",
"Your maker bond is locked": "Deine Maker-Kaution ist gesperrt",
"Your taker bond is locked": "Deine Taker-Kaution ist gesperrt",
"Your maker bond was settled": "Deine Maker-Kaution wurde bezahlt",
"Your taker bond was settled": "Deine Taker-Kaution wurde bezahlt.",
"Your maker bond was unlocked": "Deine Maker-Kaution wurde freigegeben",
"Your taker bond was unlocked": "Deine Taker-Kaution wurde freigegeben.",
"Your order is public": "Deine Order ist öffentlich",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Sei geduldig, während die Roboter das Buch ansehen. Diese Box läutet 🔊, sobald ein Roboter deine Order annimmt, dann hast du {{deposit_timer_hours}} Stunden {{deposit_timer_minutes}} Minuten Zeit zu antworten. Wenn du nicht antwortest, riskierst du den Verlust deiner Kaution.",
"If the order expires untaken, your bond will return to you (no action needed).":"Wenn die Order nicht angenommen wird und abläuft, erhältst du die Kaution zurück (keine Aktion erforderlich).",
"Enable Telegram Notifications":"Telegram-Benachrichtigungen aktivieren",
"Enable TG Notifications":"Aktiviere TG-Benachrichtigungen",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Du wirst zu einem Chat mit dem RoboSats-Telegram-Bot weitergeleitet. Öffne einfach den Chat und drücke auf Start. Beachte, dass du deine Anonymität verringern könntest, wenn du Telegram-Benachrichtigungen aktivierst.",
"Go back":"Zurück",
"Enable":"Aktivieren",
"Telegram enabled":"Telegram aktiviert",
"Public orders for {{currencyCode}}":"Öffentliche Order für {{currencyCode}}",
"If the order expires untaken, your bond will return to you (no action needed).": "Wenn die Order nicht angenommen wird und abläuft, erhältst du die Kaution zurück (keine Aktion erforderlich).",
"Enable Telegram Notifications": "Telegram-Benachrichtigungen aktivieren",
"Enable TG Notifications": "Aktiviere TG-Benachrichtigungen",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Du wirst zu einem Chat mit dem RoboSats-Telegram-Bot weitergeleitet. Öffne einfach den Chat und drücke auf Start. Beachte, dass du deine Anonymität verringern könntest, wenn du Telegram-Benachrichtigungen aktivierst.",
"Go back": "Zurück",
"Enable": "Aktivieren",
"Telegram enabled": "Telegram aktiviert",
"Public orders for {{currencyCode}}": "Öffentliche Order für {{currencyCode}}",
"Premium rank": "Aufschlags-Rang",
"Among public {{currencyCode}} orders (higher is cheaper)": "Anzahl öffentlicher {{currencyCode}} Order (höher ist günstiger)",
"A taker has been found!":"Ein Taker wurde gefunden",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Bitte warte auf den Taker, um eine Kaution zu sperren. Wenn der Taker nicht rechtzeitig eine Kaution sperrt, wird die Order erneut veröffentlicht.",
"Submit an invoice for {{amountSats}} Sats":"Füge eine Invoice über {{amountSats}} Sats ein",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.":"Der Taker ist bereit! Bevor du {{amountFiat}} {{currencyCode}} sendest, möchten wir sicherstellen, dass du in der Lage bist, die BTC zu erhalten. Bitte füge eine gültige Invoice über {{amountSats}} Satoshis ein",
"Payout Lightning Invoice":"Lightning-Auszahlungs-Invoice",
"Your invoice looks good!":"Deine Invoice sieht gut aus!",
"We are waiting for the seller to lock the trade amount.":"Wir warten darauf, dass der Verkäufer den Handelsbetrag sperrt.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Warte einen Moment. Wenn der Verkäufer den Handelsbetrag nicht hinterlegt, bekommst du deine Kaution automatisch zurück. Darüber hinaus erhältst du eine Entschädigung (siehe die Belohnungen in deinem Profil).",
"The trade collateral is locked!":"Der Handelsbetrag ist gesperrt!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Wir warten darauf, dass der Käufer eine Lightning-Invoice einreicht. Sobald er dies tut, kannst du ihm die Details der Fiat-Zahlung mitteilen.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Warte einen Moment. Wenn der Käufer nicht kooperiert, bekommst du seine und deine Kaution automatisch zurück. Außerdem erhältst du eine Entschädigung (siehe die Belohnungen in deinem Profil).",
"Confirm {{amount}} {{currencyCode}} sent":"Bestätige {{amount}} {{currencyCode}} gesendet",
"Confirm {{amount}} {{currencyCode}} received":"Bestätige {{amount}} {{currencyCode}} erhalten",
"Open Dispute":"Streitfall eröffnen",
"The order has expired":"Die Order ist abgelaufen",
"Chat with the buyer":"Chatte mit dem Käufer",
"Chat with the seller":"Chatte mit dem Verkäufer",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Sag Hallo! Sei hilfreich und präzise. Lass ihn wissen, wie er dir {{amount}} {{currencyCode}} schicken kann.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"Der Käufer hat das Geld geschickt. Klicke auf 'Bestätige FIAT erhalten', sobald du es erhalten hast.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Sag Hallo! Frag nach den Zahlungsdetails und klicke auf 'Bestätige FIAT gesendet' sobald die Zahlung unterwegs ist.",
"Wait for the seller to confirm he has received the payment.":"Warte, bis der Verkäufer die Zahlung bestätigt.",
"Confirm you received {{amount}} {{currencyCode}}?":"Bestätige den Erhalt von {{amount}} {{currencyCode}}",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Nach dem Bestätigen der Zahlung, wird der Trade beendet. Die hinterlegten Satoshi gehen an den Käufer. Bestätige nur, wenn die {{amount}} {{currencyCode}}-Zahlung angekommen ist. Falls du die {{currencyCode}}-Zahlung erhalten hast und dies nicht bestätigst, verlierst du ggf. deine Kaution und die Handelssumme.",
"Confirm":"Bestätigen",
"Trade finished!":"Trade abgeschlossen!",
"rate_robosats":"Was hältst du von <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Danke! RoboSats liebt dich auch ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats wird noch besser mit mehr Nutzern und Liquidität. Erzähl einem Bitcoin-Freund von uns!",
"Thank you for using Robosats!":"Danke, dass du Robosats benutzt hast!",
"let_us_know_hot_to_improve":"Sag uns, was wir verbessern können (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Nochmal",
"Attempting Lightning Payment":"Versuche Lightning-Zahlung",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats versucht deine Lightning-Invoice zu bezahlen. Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.",
"Retrying!":"Erneut versuchen!",
"Lightning Routing Failed":"Lightning-Weiterleitung fehlgeschlagen",
"Your invoice has expired or more than 3 payment attempts have been made.":"Deine Invoice ist abgelaufen oder mehr als 3 Zahlungs-Versuche sind fehlgeschlagen. Reiche eine neue Invoice ein",
"Check the list of compatible wallets":"Prüfe die Liste mit kompatiblen Wallets",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats wird alle eine Minute 3 mal versuchen, deine Invoice auszuzahlen. Wenn es weiter fehlschlägt, kannst du eine neue Invoice einfügen. Prüfe deine Inbound-Liquidität. Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.",
"Next attempt in":"Nächster Versuch in",
"Do you want to open a dispute?":"Möchtest du einen Fall eröffnen?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Das RoboSats-Team wird die Aussagen und Beweise prüfen. Du musst die vollständige Situation erklären, wir können den Chat nicht sehen. Benutze am besten Wegwerf-Kontakt-Infos. Die hinterlegten Satoshis gehen an den Fall-Gewinner, der Verlierer verliert seine Kaution.",
"Disagree":"Ablehnen",
"Agree and open dispute":"Akzeptieren und Fall eröffnen",
"A dispute has been opened":"Ein Fall wurde eröffnet",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Bitte übermittle deine Aussage. Sei präzise und deutlich darüber, was vorgefallen ist und bring entsprechende Beweise vor. Du musst eine Kontaktmöglichkeit übermitteln: Wegwerfemail, XMPP oder Telegram-Nutzername zum Kontakt durch unser Team. Fälle werden von echten Robotern (aka Menschen) bearbeiten, also sei kooperativ für eine faire Entscheidung. Max. 5000 Zeichen.",
"Submit dispute statement":"Übermittle Fall-Aussage",
"We have received your statement":"Wir haben deine Aussage erhalten",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Wir warten auf die Aussage deines Gegenübers. Wenn du Fragen zum Fall hast oder weitere Informationen übermitteln möchtest, kontaktiere robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Bitte bewahre die Informationen die deine Order und Zahlungsweise identifizieren auf: Order-ID; Zahlungs-Hashes der Kaution oder Sicherheit (siehe dein Lightning-Wallet); exakte Anzahl an Satoshis; und dein Roboter-Avatar. Du musst dich als der involvierte Nutzer identifizieren könenn, über E-Mail (oder andere Kontaktarten).",
"We have the statements":"Wir haben die Aussagen erhalten",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Wir haben beide Aussagen erhalten, warte auf das Team, den Fall zu klären. Wenn du Fragen zum Fall hast oder weitere Informationen übermitteln möchtest, kontaktiere robosats@protonmail.com. Wenn du keine Kontaktdaten angegeben hast oder dir unsicher bist, kontaktiere uns sofort.",
"You have won the dispute":"Du hast den Fall gewonnen",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Du kannst die Satoshis (Sicherheit und Kaution) in deinem Profil finden. Wenn unser Team dir bei etwas helfen kann, zögere nicht, uns zu kontaktieren: robosats@protonmail.com (oder über deine Wegwerf-Kontaktdaten).",
"You have lost the dispute":"Du hast den Fall verloren",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Leider hast du diesen Fall verloren. Falls du denkst, dies war ein Fehler, kontaktieren uns über robosats@protonmail.com. Aber die Chancen, dass der Fall neu eröfffnet wird, sind gering.",
"Expired not taken":"Abgelaufen, nicht angenommen",
"Maker bond not locked":"Maker-Kaution nicht gesperrt",
"Escrow not locked":"Treuhandkonto nicht gesperrt",
"Invoice not submitted":"Invoice nicht eingereicht",
"Neither escrow locked or invoice submitted":"Weder Treuhandkonto gesperrt noch Invoice eingereicht",
"Renew Order":"Order erneuern",
"Pause the public order":"Order pausieren",
"Your order is paused":"Deine Order ist pausiert",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Deine öffentliche Order wurde pausiert. Im Moment kann sie von anderen Robotern weder gesehen noch angenommen werden. Du kannst sie jederzeit wieder aktivieren.",
"Unpause Order":"Order aktivieren",
"You risk losing your bond if you do not lock the collateral. Total time to available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Du riskierst den Verlust deiner Kaution, wenn du die Sicherheiten nicht sperrst. Die insgesamt zur Verfügung stehende Zeit beträgt {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Kompatible Wallets ansehen",
"Failure reason:":"Fehlerursache:",
"Payment isn't failed (yet)":"Zahlung ist (noch) nicht gescheitert",
"There are more routes to try, but the payment timeout was exceeded.":"Es gibt noch weitere Routen, aber das Zeitlimit für die Zahlung wurde überschritten.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Alle möglichen Routen wurden ausprobiert und scheiterten permanent. Oder es gab überhaupt keine Routen zum Ziel.",
"A non-recoverable error has occurred.":"Es ist ein nicht behebbarer Fehler aufgetreten.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Die Zahlungsdetails sind falsch (unbekannter Hash, ungültiger Betrag oder ungültiges CLTV-Delta).",
"Insufficient unlocked balance in RoboSats' node.":"Unzureichendes freigeschaltetes Guthaben auf der Node von RoboSats.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"Die eingereichte Invoice enthält nur teure Routing-Hinweise, du verwendest eine inkompatible Wallet (wahrscheinlich Muun?). Prüfe den Leitfaden zur Kompatibilität von Wallets unter wallets.robosats.com",
"The invoice provided has no explicit amount":"Die vorgelegte Invoice enthält keinen expliziten Betrag",
"Does not look like a valid lightning invoice":"Sieht nicht nach einer gültigen Lightning-Invoice aus",
"The invoice provided has already expired":"Die angegebene Invoice ist bereits abgelaufen",
"A taker has been found!": "Ein Taker wurde gefunden",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Bitte warte auf den Taker, um eine Kaution zu sperren. Wenn der Taker nicht rechtzeitig eine Kaution sperrt, wird die Order erneut veröffentlicht.",
"Submit an invoice for {{amountSats}} Sats": "Füge eine Invoice über {{amountSats}} Sats ein",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.": "Der Taker ist bereit! Bevor du {{amountFiat}} {{currencyCode}} sendest, möchten wir sicherstellen, dass du in der Lage bist, die BTC zu erhalten. Bitte füge eine gültige Invoice über {{amountSats}} Satoshis ein",
"Payout Lightning Invoice": "Lightning-Auszahlungs-Invoice",
"Your invoice looks good!": "Deine Invoice sieht gut aus!",
"We are waiting for the seller to lock the trade amount.": "Wir warten darauf, dass der Verkäufer den Handelsbetrag sperrt.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Warte einen Moment. Wenn der Verkäufer den Handelsbetrag nicht hinterlegt, bekommst du deine Kaution automatisch zurück. Darüber hinaus erhältst du eine Entschädigung (siehe die Belohnungen in deinem Profil).",
"The trade collateral is locked!": "Der Handelsbetrag ist gesperrt!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Wir warten darauf, dass der Käufer eine Lightning-Invoice einreicht. Sobald er dies tut, kannst du ihm die Details der Fiat-Zahlung mitteilen.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Warte einen Moment. Wenn der Käufer nicht kooperiert, bekommst du seine und deine Kaution automatisch zurück. Außerdem erhältst du eine Entschädigung (siehe die Belohnungen in deinem Profil).",
"Confirm {{amount}} {{currencyCode}} sent": "Bestätige {{amount}} {{currencyCode}} gesendet",
"Confirm {{amount}} {{currencyCode}} received": "Bestätige {{amount}} {{currencyCode}} erhalten",
"Open Dispute": "Streitfall eröffnen",
"The order has expired": "Die Order ist abgelaufen",
"Chat with the buyer": "Chatte mit dem Käufer",
"Chat with the seller": "Chatte mit dem Verkäufer",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Sag Hallo! Sei hilfreich und präzise. Lass ihn wissen, wie er dir {{amount}} {{currencyCode}} schicken kann.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Der Käufer hat das Geld geschickt. Klicke auf 'Bestätige FIAT erhalten', sobald du es erhalten hast.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Sag Hallo! Frag nach den Zahlungsdetails und klicke auf 'Bestätige FIAT gesendet' sobald die Zahlung unterwegs ist.",
"Wait for the seller to confirm he has received the payment.": "Warte, bis der Verkäufer die Zahlung bestätigt.",
"Confirm you received {{amount}} {{currencyCode}}?": "Bestätige den Erhalt von {{amount}} {{currencyCode}}",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Nach dem Bestätigen der Zahlung, wird der Trade beendet. Die hinterlegten Satoshi gehen an den Käufer. Bestätige nur, wenn die {{amount}} {{currencyCode}}-Zahlung angekommen ist. Falls du die {{currencyCode}}-Zahlung erhalten hast und dies nicht bestätigst, verlierst du ggf. deine Kaution und die Handelssumme.",
"Confirm": "Bestätigen",
"Trade finished!": "Trade abgeschlossen!",
"rate_robosats": "Was hältst du von <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Danke! RoboSats liebt dich auch ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats wird noch besser mit mehr Nutzern und Liquidität. Erzähl einem Bitcoin-Freund von uns!",
"Thank you for using Robosats!": "Danke, dass du Robosats benutzt hast!",
"let_us_know_hot_to_improve": "Sag uns, was wir verbessern können (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Nochmal",
"Attempting Lightning Payment": "Versuche Lightning-Zahlung",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats versucht deine Lightning-Invoice zu bezahlen. Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.",
"Retrying!": "Erneut versuchen!",
"Lightning Routing Failed": "Lightning-Weiterleitung fehlgeschlagen",
"Your invoice has expired or more than 3 payment attempts have been made.": "Deine Invoice ist abgelaufen oder mehr als 3 Zahlungs-Versuche sind fehlgeschlagen. Reiche eine neue Invoice ein",
"Check the list of compatible wallets": "Prüfe die Liste mit kompatiblen Wallets",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats wird alle eine Minute 3 mal versuchen, deine Invoice auszuzahlen. Wenn es weiter fehlschlägt, kannst du eine neue Invoice einfügen. Prüfe deine Inbound-Liquidität. Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.Denk daran, dass deine Lightning-Node erreichbar sein muss, um die Zahlung zu erhalten.",
"Next attempt in": "Nächster Versuch in",
"Do you want to open a dispute?": "Möchtest du einen Fall eröffnen?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Das RoboSats-Team wird die Aussagen und Beweise prüfen. Du musst die vollständige Situation erklären, wir können den Chat nicht sehen. Benutze am besten Wegwerf-Kontakt-Infos. Die hinterlegten Satoshis gehen an den Fall-Gewinner, der Verlierer verliert seine Kaution.",
"Disagree": "Ablehnen",
"Agree and open dispute": "Akzeptieren und Fall eröffnen",
"A dispute has been opened": "Ein Fall wurde eröffnet",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Bitte übermittle deine Aussage. Sei präzise und deutlich darüber, was vorgefallen ist und bring entsprechende Beweise vor. Du musst eine Kontaktmöglichkeit übermitteln: Wegwerfemail, XMPP oder Telegram-Nutzername zum Kontakt durch unser Team. Fälle werden von echten Robotern (aka Menschen) bearbeiten, also sei kooperativ für eine faire Entscheidung. Max. 5000 Zeichen.",
"Submit dispute statement": "Übermittle Fall-Aussage",
"We have received your statement": "Wir haben deine Aussage erhalten",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Wir warten auf die Aussage deines Gegenübers. Wenn du Fragen zum Fall hast oder weitere Informationen übermitteln möchtest, kontaktiere robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Bitte bewahre die Informationen die deine Order und Zahlungsweise identifizieren auf: Order-ID; Zahlungs-Hashes der Kaution oder Sicherheit (siehe dein Lightning-Wallet); exakte Anzahl an Satoshis; und dein Roboter-Avatar. Du musst dich als der involvierte Nutzer identifizieren könenn, über E-Mail (oder andere Kontaktarten).",
"We have the statements": "Wir haben die Aussagen erhalten",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Wir haben beide Aussagen erhalten, warte auf das Team, den Fall zu klären. Wenn du Fragen zum Fall hast oder weitere Informationen übermitteln möchtest, kontaktiere robosats@protonmail.com. Wenn du keine Kontaktdaten angegeben hast oder dir unsicher bist, kontaktiere uns sofort.",
"You have won the dispute": "Du hast den Fall gewonnen",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Du kannst die Satoshis (Sicherheit und Kaution) in deinem Profil finden. Wenn unser Team dir bei etwas helfen kann, zögere nicht, uns zu kontaktieren: robosats@protonmail.com (oder über deine Wegwerf-Kontaktdaten).",
"You have lost the dispute": "Du hast den Fall verloren",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Leider hast du diesen Fall verloren. Falls du denkst, dies war ein Fehler, kontaktieren uns über robosats@protonmail.com. Aber die Chancen, dass der Fall neu eröfffnet wird, sind gering.",
"Expired not taken": "Abgelaufen, nicht angenommen",
"Maker bond not locked": "Maker-Kaution nicht gesperrt",
"Escrow not locked": "Treuhandkonto nicht gesperrt",
"Invoice not submitted": "Invoice nicht eingereicht",
"Neither escrow locked or invoice submitted": "Weder Treuhandkonto gesperrt noch Invoice eingereicht",
"Renew Order": "Order erneuern",
"Pause the public order": "Order pausieren",
"Your order is paused": "Deine Order ist pausiert",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Deine öffentliche Order wurde pausiert. Im Moment kann sie von anderen Robotern weder gesehen noch angenommen werden. Du kannst sie jederzeit wieder aktivieren.",
"Unpause Order": "Order aktivieren",
"You risk losing your bond if you do not lock the collateral. Total time to available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Du riskierst den Verlust deiner Kaution, wenn du die Sicherheiten nicht sperrst. Die insgesamt zur Verfügung stehende Zeit beträgt {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Kompatible Wallets ansehen",
"Failure reason:": "Fehlerursache:",
"Payment isn't failed (yet)": "Zahlung ist (noch) nicht gescheitert",
"There are more routes to try, but the payment timeout was exceeded.": "Es gibt noch weitere Routen, aber das Zeitlimit für die Zahlung wurde überschritten.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Alle möglichen Routen wurden ausprobiert und scheiterten permanent. Oder es gab überhaupt keine Routen zum Ziel.",
"A non-recoverable error has occurred.": "Es ist ein nicht behebbarer Fehler aufgetreten.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Die Zahlungsdetails sind falsch (unbekannter Hash, ungültiger Betrag oder ungültiges CLTV-Delta).",
"Insufficient unlocked balance in RoboSats' node.": "Unzureichendes freigeschaltetes Guthaben auf der Node von RoboSats.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "Die eingereichte Invoice enthält nur teure Routing-Hinweise, du verwendest eine inkompatible Wallet (wahrscheinlich Muun?). Prüfe den Leitfaden zur Kompatibilität von Wallets unter wallets.robosats.com",
"The invoice provided has no explicit amount": "Die vorgelegte Invoice enthält keinen expliziten Betrag",
"Does not look like a valid lightning invoice": "Sieht nicht nach einer gültigen Lightning-Invoice aus",
"The invoice provided has already expired": "Die angegebene Invoice ist bereits abgelaufen",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Schließen",
"What is RoboSats?":"Was ist RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"Es ist ein privater BTC/FIAT Handelsplatz über Lightning.",
"RoboSats is an open source project ":"RoboSats ist ein Open-Source-Projekt ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Es vereinfacht das Zusammenfinden und minimiert das nötige Vertrauen. RoboSats steht für Privatsphäre und Schnelligkeit.",
"(GitHub).":"(GitHub).",
"How does it work?":"Wie funktioniert es?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01 will Bitcoin verkaufen. Sie veröffentlich eine Verkaufs-Order. BafflingBob02 will Bitcoin kaufen und nimmt die Order an. Beide müssen eine kleine Kaution hinterlegen, um zu beweisen, dass sie echte Roboter sind. Dann schickt Alice die Handelssumme ebenfalls als Sicherheit. RoboSats sperrt diese, bis Alice den Zahlungserhalt bestätigt, dann werden die Satoshis an Bob geschickt. Genieße deine Satoshis, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"Zu keinem Zeitpunkt müssen AnonymousAlice01 und BafflingBob02 sich direkt ihre Satoshis anvertrauen. Im Fall eines Konflikts wird das RoboSats-Team bei der Klärung helfen.",
"You can find a step-by-step description of the trade pipeline in ":"Du findest eine Schritt-für-Schritt-Erklärung des Handelablaufs hier ",
"How it works":"Wie es funktioniert",
"You can also check the full guide in ":"Außerdem kannst du hier einen vollständigen Ratgeber finden ",
"How to use":"Wie wir es benutzt",
"What payment methods are accepted?":"Welche Zahlungsweisen stehen zur Verfügung?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Alle, wenn sie schnell genug sind. Du legst deine Zahlungsweisen selber fest. Du musst einen Gegenüber finden, der diese Zahlungsweise ebenfalls akzeptiert. Der Schritt der Fiat-Zahlung darf bis zu 24 Stunden dauern, bis automatisch ein Fall eröffnet wird. Wir empfehlen dringend, sofortige Zahlungsweisen zu verwenden.",
"Are there trade limits?":"Gibt es Handel-Beschränkungen?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Die maximale Höhe einer Order beträgt {{maxAmount}} Satoshis um Weiterleitungsprobleme zu vermeiden. Es gibt keine Beschränkung für die Anzahl an Trades. Ein Roboter kann nur eine Order gleichzeitig veröffentlichen. Aber du kannst mehrere Roboter in mehreren Browser haben (denk an das Speichern deines Tokens!).",
"Is RoboSats private?":"Ist RoboSats privat?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats wird nie nach deinem Namen, Land oder ID fragen. Robosats verwahrt nicht dein Guthaben oder interessiert sich für deine Identität. RoboSats sammelt oder speichert keine persönlichen Daten. Für bestmögliche Privatsphäre nutze den Tor-Browser und verwende den .onion Hidden-Service.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Dein Handelpartner ist der einzige, der Informationen über dich erhalten kann. Halte es kurz und präzise. Vermeide Informationen, die nicht für die Zahlung zwingend notwendig sind.",
"What are the risks?":"Gibt es Risiken?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Dieses Projekt ist ein Experiment, Dinge können schiefgehen. Handle mit kleinen Summen!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Der Verkäufer hat das gleiche Rückbuchungsrisiko wie bei anderen Privatgeschäften. Paypal oder Kreditkarten werden nicht empfohlen.",
"What is the trust model?":"Muss man dem Gegenüber vertrauen?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Käufer und Verkäufer müssen sich nie vertrauen. Etwas Vertrauen in RoboSats ist notwendig, da die Verknüpfung zwischen Verkäufer- und Käufer-Invoice (noch) nicht 'atomic' ist. Außerdem entscheidet das RoboSats-Team über Streitigkeiten.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Um dass klarzustellen. Das nötige Vetrauen wird minimalisiert. Trotzdem gibt es einen Weg für RoboSats, deine Satoshi zu behalten: indem sie nicht an den Käufer weitergeleitet werden. Man kann behaupten, dass das nicht in RoboSats' Interesse wäre, da es die Reputation für eine geringe Summe beschädigen würde. Aber du solltest trotzdem vorsichtig sein und nur kleine Handel durchführen. Für größere Summen nutze On-Chain-Escrow-Services wie BISQ.",
"You can build more trust on RoboSats by inspecting the source code.":"Du kannst den RoboSats Source-Code selbst überprüfen um dich sicherer zu fühlen.",
"Project source code":"Source-Code des Projekts",
"What happens if RoboSats suddenly disappears?":"Was passiert, wenn RoboSats plötzlich verschwindet?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Deine Sats gehen an dich zurück. Jede Sperrtransaktion wird selbst dann wieder freigegeben, wenn RoboSats für immer offline geht. Das gilt für Käufer- und Verkäufer-Kautionen. Trotzdem gibt es ein kurzes Zeitfenster zwischen Fiat-Zahlungsbestätigung und durchführung der Lightning-Transaktion, in dem die Summe für immer verloren gehen kann. Dies ist ungefähr 1 Sekunde. Stelle sicher, dass du genug Inbound-Liquidität hast. Bei Problemen melde dich über RoboSats' öffentliche Kanäle",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"In vielen Ländern ist RoboSats wie Ebay oder Craigslist. Deine Rechtslage weicht vielleicht ab, das liegt in deiner Verantwortung.",
"Is RoboSats legal in my country?":"Ist RoboSats in meinem Land erlaubt?",
"Disclaimer":"Hinweise",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Dieses Lightning-Projekt ist wie es ist. Es befindet sich in der Entwicklung: Handle mit äußerster Vorsicht. Es gibt keine private Unterstützung. Hilfe wird nur über die öffentlichen Kanäle angeboten ",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats wird dich nie kontaktieren. RoboSats fragt definitiv nie nach deinem Roboter-Token."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Schließen",
"What is RoboSats?": "Was ist RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Es ist ein privater BTC/FIAT Handelsplatz über Lightning.",
"RoboSats is an open source project ": "RoboSats ist ein Open-Source-Projekt ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Es vereinfacht das Zusammenfinden und minimiert das nötige Vertrauen. RoboSats steht für Privatsphäre und Schnelligkeit.",
"(GitHub).": "(GitHub).",
"How does it work?": "Wie funktioniert es?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01 will Bitcoin verkaufen. Sie veröffentlich eine Verkaufs-Order. BafflingBob02 will Bitcoin kaufen und nimmt die Order an. Beide müssen eine kleine Kaution hinterlegen, um zu beweisen, dass sie echte Roboter sind. Dann schickt Alice die Handelssumme ebenfalls als Sicherheit. RoboSats sperrt diese, bis Alice den Zahlungserhalt bestätigt, dann werden die Satoshis an Bob geschickt. Genieße deine Satoshis, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "Zu keinem Zeitpunkt müssen AnonymousAlice01 und BafflingBob02 sich direkt ihre Satoshis anvertrauen. Im Fall eines Konflikts wird das RoboSats-Team bei der Klärung helfen.",
"You can find a step-by-step description of the trade pipeline in ": "Du findest eine Schritt-für-Schritt-Erklärung des Handelablaufs hier ",
"How it works": "Wie es funktioniert",
"You can also check the full guide in ": "Außerdem kannst du hier einen vollständigen Ratgeber finden ",
"How to use": "Wie wir es benutzt",
"What payment methods are accepted?": "Welche Zahlungsweisen stehen zur Verfügung?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Alle, wenn sie schnell genug sind. Du legst deine Zahlungsweisen selber fest. Du musst einen Gegenüber finden, der diese Zahlungsweise ebenfalls akzeptiert. Der Schritt der Fiat-Zahlung darf bis zu 24 Stunden dauern, bis automatisch ein Fall eröffnet wird. Wir empfehlen dringend, sofortige Zahlungsweisen zu verwenden.",
"Are there trade limits?": "Gibt es Handel-Beschränkungen?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Die maximale Höhe einer Order beträgt {{maxAmount}} Satoshis um Weiterleitungsprobleme zu vermeiden. Es gibt keine Beschränkung für die Anzahl an Trades. Ein Roboter kann nur eine Order gleichzeitig veröffentlichen. Aber du kannst mehrere Roboter in mehreren Browser haben (denk an das Speichern deines Tokens!).",
"Is RoboSats private?": "Ist RoboSats privat?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats wird nie nach deinem Namen, Land oder ID fragen. Robosats verwahrt nicht dein Guthaben oder interessiert sich für deine Identität. RoboSats sammelt oder speichert keine persönlichen Daten. Für bestmögliche Privatsphäre nutze den Tor-Browser und verwende den .onion Hidden-Service.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Dein Handelpartner ist der einzige, der Informationen über dich erhalten kann. Halte es kurz und präzise. Vermeide Informationen, die nicht für die Zahlung zwingend notwendig sind.",
"What are the risks?": "Gibt es Risiken?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Dieses Projekt ist ein Experiment, Dinge können schiefgehen. Handle mit kleinen Summen!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Der Verkäufer hat das gleiche Rückbuchungsrisiko wie bei anderen Privatgeschäften. Paypal oder Kreditkarten werden nicht empfohlen.",
"What is the trust model?": "Muss man dem Gegenüber vertrauen?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Käufer und Verkäufer müssen sich nie vertrauen. Etwas Vertrauen in RoboSats ist notwendig, da die Verknüpfung zwischen Verkäufer- und Käufer-Invoice (noch) nicht 'atomic' ist. Außerdem entscheidet das RoboSats-Team über Streitigkeiten.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Um dass klarzustellen. Das nötige Vetrauen wird minimalisiert. Trotzdem gibt es einen Weg für RoboSats, deine Satoshi zu behalten: indem sie nicht an den Käufer weitergeleitet werden. Man kann behaupten, dass das nicht in RoboSats' Interesse wäre, da es die Reputation für eine geringe Summe beschädigen würde. Aber du solltest trotzdem vorsichtig sein und nur kleine Handel durchführen. Für größere Summen nutze On-Chain-Escrow-Services wie BISQ.",
"You can build more trust on RoboSats by inspecting the source code.": "Du kannst den RoboSats Source-Code selbst überprüfen um dich sicherer zu fühlen.",
"Project source code": "Source-Code des Projekts",
"What happens if RoboSats suddenly disappears?": "Was passiert, wenn RoboSats plötzlich verschwindet?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Deine Sats gehen an dich zurück. Jede Sperrtransaktion wird selbst dann wieder freigegeben, wenn RoboSats für immer offline geht. Das gilt für Käufer- und Verkäufer-Kautionen. Trotzdem gibt es ein kurzes Zeitfenster zwischen Fiat-Zahlungsbestätigung und durchführung der Lightning-Transaktion, in dem die Summe für immer verloren gehen kann. Dies ist ungefähr 1 Sekunde. Stelle sicher, dass du genug Inbound-Liquidität hast. Bei Problemen melde dich über RoboSats' öffentliche Kanäle",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "In vielen Ländern ist RoboSats wie Ebay oder Craigslist. Deine Rechtslage weicht vielleicht ab, das liegt in deiner Verantwortung.",
"Is RoboSats legal in my country?": "Ist RoboSats in meinem Land erlaubt?",
"Disclaimer": "Hinweise",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Dieses Lightning-Projekt ist wie es ist. Es befindet sich in der Entwicklung: Handle mit äußerster Vorsicht. Es gibt keine private Unterstützung. Hilfe wird nur über die öffentlichen Kanäle angeboten ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats wird dich nie kontaktieren. RoboSats fragt definitiv nie nach deinem Roboter-Token."
}

File diff suppressed because it is too large Load Diff

View File

@ -4,304 +4,299 @@
"desktop_unsafe_alert": "Algunas funciones (como el chat) están deshabilitadas para protegerte y sin ellas no podrás completar un intercambio. Para proteger tu privacidad y habilitar RoboSats por completo, usa el <1>Navegador Tor</1> y visita el <3>sitio cebolla</3>.",
"phone_unsafe_alert": "No podrás completar un intercambio. Usa el <1>Navegador Tor</1> y visita el <3>sitio cebolla</3>.",
"Hide": "Ocultar",
"You are self-hosting RoboSats":"Estás hosteando RoboSats",
"RoboSats client is served from your own node granting you the strongest security and privacy.":"El cliente RoboSats es servido por tu propio nodo, gozas de la mayor seguridad y privacidad.",
"You are self-hosting RoboSats": "Estás hosteando RoboSats",
"RoboSats client is served from your own node granting you the strongest security and privacy.": "El cliente RoboSats es servido por tu propio nodo, gozas de la mayor seguridad y privacidad.",
"UserGenPage": "User Generation Page and Landing Page",
"Simple and Private LN P2P Exchange": "Intercambio LN P2P Fácil y Privado",
"This is your trading avatar": "Este es tu Robot de compraventa",
"Store your token safely":"Guarda tu token de forma segura",
"Store your token safely": "Guarda tu token de forma segura",
"A robot avatar was found, welcome back!": "Se encontró un Robot, ¡bienvenido de nuevo!",
"Copied!":"¡Copiado!",
"Generate a new token":"Genera un nuevo token",
"Generate Robot":"Generar Robot",
"Copied!": "¡Copiado!",
"Generate a new token": "Genera un nuevo token",
"Generate Robot": "Generar Robot",
"You must enter a new token first": "Primero introduce un nuevo token",
"Make Order":"Crear orden",
"Make Order": "Crear orden",
"Info": "Info",
"View Book": "Ver libro",
"Learn RoboSats":"Aprende RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Vas a visitar la página Learn RoboSats. Ha sido construida por la comunidad y contiene tutoriales y documentación que te ayudará a aprender como se usa RoboSats y a entender como funciona.",
"Let's go!":"¡Vamos!",
"Save token and PGP credentials to file":"Guardar archivo con token y credenciales PGP",
"Learn RoboSats": "Aprende RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Vas a visitar la página Learn RoboSats. Ha sido construida por la comunidad y contiene tutoriales y documentación que te ayudará a aprender como se usa RoboSats y a entender como funciona.",
"Let's go!": "¡Vamos!",
"Save token and PGP credentials to file": "Guardar archivo con token y credenciales PGP",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Orden",
"Customize":"Personalizar",
"Buy or Sell Bitcoin?":"¿Comprar o vender bitcoin?",
"Buy":"Comprar",
"Sell":"Vender",
"Amount":"Monto",
"Amount of fiat to exchange for bitcoin":"Monto de fiat a cambiar por bitcoin",
"Invalid":"No válido",
"Order": "Orden",
"Customize": "Personalizar",
"Buy or Sell Bitcoin?": "¿Comprar o vender bitcoin?",
"Buy": "Comprar",
"Sell": "Vender",
"Amount": "Monto",
"Amount of fiat to exchange for bitcoin": "Monto de fiat a cambiar por bitcoin",
"Invalid": "No válido",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Introduce tus métodos de pago. Se recomiendan encarecidamente métodos rápidos.",
"Must be shorter than 65 characters":"Debe tener menos de 65 caracteres",
"Must be shorter than 65 characters": "Debe tener menos de 65 caracteres",
"Swap Destination(s)": "Destino(s) del swap",
"Fiat Payment Method(s)":"Método(s) de pago en fiat",
"You can add new methods":"Puedes añadir nuevos métodos",
"Add New":"Añadir nuevo",
"Choose a Pricing Method":"Elige cómo establecer el precio",
"Relative":"Relativo",
"Let the price move with the market":"El precio se moverá relativo al mercado",
"Fiat Payment Method(s)": "Método(s) de pago en fiat",
"You can add new methods": "Puedes añadir nuevos métodos",
"Add New": "Añadir nuevo",
"Choose a Pricing Method": "Elige cómo establecer el precio",
"Relative": "Relativo",
"Let the price move with the market": "El precio se moverá relativo al mercado",
"Premium over Market (%)": "Prima sobre el mercado (%)",
"Explicit":"Fijo",
"Explicit": "Fijo",
"Set a fix amount of satoshis": "Establece un monto fijo de Sats",
"Satoshis": "Satoshis",
"Fixed price:":"Precio fijo:",
"Order current rate:":"Precio actual:",
"Your order fixed exchange rate":"La tasa de cambio fija de tu orden",
"Your order's current exchange rate. Rate will move with the market.":"La tasa de cambio de tu orden justo en estos momentos. Se moverá relativa al mercado.",
"Let the taker chose an amount within the range":"Permite que el tomador elija un monto dentro del rango.",
"Enable Amount Range":"Activar monto con rango",
"Fixed price:": "Precio fijo:",
"Order current rate:": "Precio actual:",
"Your order fixed exchange rate": "La tasa de cambio fija de tu orden",
"Your order's current exchange rate. Rate will move with the market.": "La tasa de cambio de tu orden justo en estos momentos. Se moverá relativa al mercado.",
"Let the taker chose an amount within the range": "Permite que el tomador elija un monto dentro del rango.",
"Enable Amount Range": "Activar monto con rango",
"From": "Desde",
"to":"a ",
"Expiry Timers":"Temporizadores",
"to": "a ",
"Expiry Timers": "Temporizadores",
"Public Duration (HH:mm)": "Duración pública (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Plazo límite depósito (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Plazo límite depósito (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Establece la implicación requerida (aumentar para mayor seguridad)",
"Fidelity Bond Size": "Tamaño de la fianza",
"Allow bondless takers":"Permitir tomadores sin fianza",
"Allow bondless takers": "Permitir tomadores sin fianza",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "PRÓXIMAMENTE - ¡Alto riesgo! Limitado a {{limitSats}}K Sats",
"You must fill the order correctly": "Debes rellenar la orden correctamente",
"Create Order":"Crear orden",
"Back":"Volver",
"Create an order for ":"Crear una orden por ",
"Create Order": "Crear orden",
"Back": "Volver",
"Create an order for ": "Crear una orden por ",
"Create a BTC buy order for ": "Crear orden de compra de BTC por ",
"Create a BTC sell order for ": "Crear orden de venta de BTC por ",
" of {{satoshis}} Satoshis": " de {{satoshis}} Sats",
" at market price":" a precio de mercado",
" at a {{premium}}% premium":" con una prima del {{premium}}%",
" at a {{discount}}% discount":" con descuento del {{discount}}%",
"Must be less than {{max}}%":"Debe ser menos del {{max}}%",
"Must be more than {{min}}%":"Debe ser más del {{min}}%",
" at market price": " a precio de mercado",
" at a {{premium}}% premium": " con una prima del {{premium}}%",
" at a {{discount}}% discount": " con descuento del {{discount}}%",
"Must be less than {{max}}%": "Debe ser menos del {{max}}%",
"Must be more than {{min}}%": "Debe ser más del {{min}}%",
"Must be less than {{maxSats}": "Debe ser menos de {{maxSats}}",
"Must be more than {{minSats}}": "Debe ser más de {{minSats}}",
"Store your robot token":"Guarda el token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Puede que necesites recuperar tu robot avatar en el futuro: haz una copia de seguridad del token. Puedes simplemente copiarlo en otra aplicación.",
"Done":"Hecho",
"You do not have a robot avatar":"No tienes un avatar robot",
"You need to generate a robot avatar in order to become an order maker":"Necesitas generar un avatar robot antes de crear una orden",
"Store your robot token": "Guarda el token",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Puede que necesites recuperar tu robot avatar en el futuro: haz una copia de seguridad del token. Puedes simplemente copiarlo en otra aplicación.",
"Done": "Hecho",
"You do not have a robot avatar": "No tienes un avatar robot",
"You need to generate a robot avatar in order to become an order maker": "Necesitas generar un avatar robot antes de crear una orden",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Sin especificar",
"Instant SEPA":"SEPA Instantánea",
"Amazon GiftCard":"Amazon Tarjeta Regalo",
"Amazon ES GiftCard":"Amazon ES Tarjeta Regalo",
"Amazon MX GiftCard":"Amazon MX Tarjeta Regalo",
"Google Play Gift Code":"Google Play Tarjeta Regalo",
"Cash F2F":"Efectivo en persona",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Sin especificar",
"Instant SEPA": "SEPA Instantánea",
"Amazon GiftCard": "Amazon Tarjeta Regalo",
"Amazon ES GiftCard": "Amazon ES Tarjeta Regalo",
"Amazon MX GiftCard": "Amazon MX Tarjeta Regalo",
"Google Play Gift Code": "Google Play Tarjeta Regalo",
"Cash F2F": "Efectivo en persona",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Vende",
"Buyer":"Compra",
"I want to":"Quiero",
"Select Order Type":"Selecciona tipo de orden",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Vende",
"Buyer": "Compra",
"I want to": "Quiero",
"Select Order Type": "Selecciona tipo de orden",
"ANY_type": "TODO",
"ANY_currency": "TODO",
"BUY":"COMPRAR",
"SELL":"VENDER",
"and receive":"y recibir",
"and pay with":"y pagar con",
"and use":"y usar",
"Select Payment Currency":"Selecciona moneda de pago",
"Robot":"Robot",
"Is":"Es",
"Currency":"Moneda",
"Payment Method":"Método de pago",
"BUY": "COMPRAR",
"SELL": "VENDER",
"and receive": "y recibir",
"and pay with": "y pagar con",
"and use": "y usar",
"Select Payment Currency": "Selecciona moneda de pago",
"Robot": "Robot",
"Is": "Es",
"Currency": "Moneda",
"Payment Method": "Método de pago",
"Pay": "Pagar",
"Price":"Precio",
"Premium":"Prima",
"Price": "Precio",
"Premium": "Prima",
"You are SELLING BTC for {{currencyCode}}": "VENDER bitcoin por {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "COMPRAR bitcoin por {{currencyCode}}",
"You are looking at all": "Estás viendo todo",
"No orders found to sell BTC for {{currencyCode}}": "No hay órdenes para vender bitcoin por {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "No hay órdenes para comprar bitcoin por {{currencyCode}}",
"Filter has no results":"No hay resultados para este filtro",
"Be the first one to create an order":"Sé el primero en crear una orden",
"Orders per page:":"Órdenes por vista:",
"No rows":"No hay filas",
"No results found.":"No se encontraron resultados.",
"An error occurred.":"Hubo un error.",
"Columns":"Columnas",
"Select columns":"Selecciona columnas",
"Find column":"Buscar columna",
"Column title":"Nombre de columna",
"Reorder column":"Reordenar columnas",
"Show all":"Mostrar todas",
"Hide all":"Ocultar todas",
"Add filter":"Añadir filtro",
"Delete":"Eliminar",
"Logic operator":"Operador lógico",
"Operator":"Operador",
"And":"Y",
"Or":"O",
"Value":"Valor",
"Filter value":"Filtrar valor",
"contains":"contiene",
"equals":"igual a",
"starts with":"empieza con",
"ends with":"termina con",
"is":"es",
"is not":"no es",
"is after":"está detrás",
"is on or after":"está en o detrás",
"is before":"está delante",
"is on or before":"está en o delante",
"is empty":"está vacio",
"is not empty":"no está vacio",
"is any of":"es alguno de",
"any":"alguno",
"true":"verdad",
"false":"falso",
"Menu":"Menu",
"Show columns":"Mostrar columnas",
"Filter":"Filtrar",
"Unsort":"Desordenar",
"Sort by ASC":"Ordenar ascendente",
"Sort by DESC":"Ordenar descendente",
"Sort":"Ordenar",
"Show filters":"Mostrar filtros",
"yes":"si",
"no":"no",
"Filter has no results": "No hay resultados para este filtro",
"Be the first one to create an order": "Sé el primero en crear una orden",
"Orders per page:": "Órdenes por vista:",
"No rows": "No hay filas",
"No results found.": "No se encontraron resultados.",
"An error occurred.": "Hubo un error.",
"Columns": "Columnas",
"Select columns": "Selecciona columnas",
"Find column": "Buscar columna",
"Column title": "Nombre de columna",
"Reorder column": "Reordenar columnas",
"Show all": "Mostrar todas",
"Hide all": "Ocultar todas",
"Add filter": "Añadir filtro",
"Delete": "Eliminar",
"Logic operator": "Operador lógico",
"Operator": "Operador",
"And": "Y",
"Or": "O",
"Value": "Valor",
"Filter value": "Filtrar valor",
"contains": "contiene",
"equals": "igual a",
"starts with": "empieza con",
"ends with": "termina con",
"is": "es",
"is not": "no es",
"is after": "está detrás",
"is on or after": "está en o detrás",
"is before": "está delante",
"is on or before": "está en o delante",
"is empty": "está vacio",
"is not empty": "no está vacio",
"is any of": "es alguno de",
"any": "alguno",
"true": "verdad",
"false": "falso",
"Menu": "Menu",
"Show columns": "Mostrar columnas",
"Filter": "Filtrar",
"Unsort": "Desordenar",
"Sort by ASC": "Ordenar ascendente",
"Sort by DESC": "Ordenar descendente",
"Sort": "Ordenar",
"Show filters": "Mostrar filtros",
"yes": "si",
"no": "no",
"Depth chart": "Gráfico de profundidad",
"Chart": "Gráfico",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Estadísticas para nerds",
"LND version":"Versión LND",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Estadísticas para nerds",
"LND version": "Versión LND",
"Currently running commit hash": "Hash de la versión actual",
"24h contracted volume":"Volumen contratado en 24h",
"Lifetime contracted volume":"Volumen contratado total",
"Made with":"Hecho con",
"and":"y",
"24h contracted volume": "Volumen contratado en 24h",
"Lifetime contracted volume": "Volumen contratado total",
"Made with": "Hecho con",
"and": "y",
"... somewhere on Earth!": "... en algún lugar de la tierra!",
"Community":"Comunidad",
"Community": "Comunidad",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Sólo se ofrece soporte a través de canales públicos. Únete a nuestra comunidad de Telegram si tienes preguntas o quieres pasar el rato con otros Robots geniales. Por favor, utiliza nuestro GitHub para notificar un error o proponer nuevas funcionalidades.",
"Follow RoboSats in Twitter":"Sigue a RoboSats ",
"Twitter Official Account":"Cuenta oficial en Twitter",
"Follow RoboSats in Twitter": "Sigue a RoboSats ",
"Twitter Official Account": "Cuenta oficial en Twitter",
"Join RoboSats Spanish speaking community!": "¡Únete a la comunidad de RoboSats en español!",
"Join RoboSats Russian speaking community!": "¡Únete a la comunidad de RoboSats en ruso!",
"Join RoboSats Chinese speaking community!": "¡Únete a la comunidad de RoboSats en chino!",
"Join RoboSats English speaking community!": "¡Únete a la comunidad de RoboSats en inglés!",
"Tell us about a new feature or a bug":"Propón funcionalidades o notifica errores",
"Tell us about a new feature or a bug": "Propón funcionalidades o notifica errores",
"Github Issues - The Robotic Satoshis Open Source Project": "Issues de GitHub - The Robotic Satoshis Open Source Project",
"Your Profile":"Tu perfil",
"Your Profile": "Tu perfil",
"Your robot": "Tu Robot",
"One active order #{{orderID}}":"Ir a orden activa #{{orderID}}",
"Your current order":"Tu orden actual",
"No active orders":"No hay órdenes activas",
"Your token (will not remain here)":"Tu token (no permanecerá aquí)",
"Back it up!":"¡Guárdalo!",
"Cannot remember":"Se olvidó",
"Rewards and compensations":"Recompensas y compensaciones",
"One active order #{{orderID}}": "Ir a orden activa #{{orderID}}",
"Your current order": "Tu orden actual",
"No active orders": "No hay órdenes activas",
"Your token (will not remain here)": "Tu token (no permanecerá aquí)",
"Back it up!": "¡Guárdalo!",
"Cannot remember": "Se olvidó",
"Rewards and compensations": "Recompensas y compensaciones",
"Share to earn 100 Sats per trade": "Comparte para ganar 100 Sats por intercambio",
"Your referral link":"Tu enlace de referidos",
"Your earned rewards":"Tus recompensas ganadas",
"Claim":"Retirar",
"Your referral link": "Tu enlace de referidos",
"Your earned rewards": "Tus recompensas ganadas",
"Claim": "Retirar",
"Invoice for {{amountSats}} Sats": "Factura por {{amountSats}} Sats",
"Submit":"Enviar",
"Submit": "Enviar",
"There it goes, thank you!🥇": "Ahí va, ¡gracias!🥇",
"You have an active order":"Tienes una orden activa",
"You have an active order": "Tienes una orden activa",
"You can claim satoshis!": "¡Puedes retirar Sats!",
"Public Buy Orders":"Órdenes de compra",
"Public Sell Orders":"Órdenes de venta",
"Today Active Robots":"Robots activos hoy",
"Public Buy Orders": "Órdenes de compra",
"Public Sell Orders": "Órdenes de venta",
"Today Active Robots": "Robots activos hoy",
"24h Avg Premium": "Prima media en 24h",
"Trade Fee":"Comisión",
"Show community and support links":"Mostrar enlaces de comunidad y soporte",
"Show stats for nerds":"Mostrar estadísticas para nerds",
"Exchange Summary":"Resumen del Exchange",
"Public buy orders":"Órdenes de compra públicas",
"Public sell orders":"Órdenes de venta públicas",
"Book liquidity":"Liquidez en el libro",
"Today active robots":"Robots activos hoy",
"Trade Fee": "Comisión",
"Show community and support links": "Mostrar enlaces de comunidad y soporte",
"Show stats for nerds": "Mostrar estadísticas para nerds",
"Exchange Summary": "Resumen del Exchange",
"Public buy orders": "Órdenes de compra públicas",
"Public sell orders": "Órdenes de venta públicas",
"Book liquidity": "Liquidez en el libro",
"Today active robots": "Robots activos hoy",
"24h non-KYC bitcoin premium": "Prima de bitcoin sin KYC en 24h",
"Maker fee":"Comisión del creador",
"Taker fee":"Comisión del tomador",
"Maker fee": "Comisión del creador",
"Taker fee": "Comisión del tomador",
"Number of public BUY orders": "Nº de órdenes públicas de COMPRA",
"Number of public SELL orders": "Nº de órdenes públicas de VENTA",
"Your last order #{{orderID}}":"Tu última orden #{{orderID}}",
"Inactive order":"Orden inactiva",
"You do not have previous orders":"No tienes órdenes previas",
"Join RoboSats' Subreddit":"Únete al subreddit de RoboSats",
"RoboSats in Reddit":"RoboSats en Reddit",
"Current onchain payout fee":"Coste actual de recibir onchain",
"Use stealth invoices":"Facturas sigilosas",
"Stealth lightning invoices do not contain details about the trade except an order reference. Enable this setting if you don't want to disclose details to a custodial lightning wallet.":"Las facturas sigilosas no contienen información sobre tu orden excepto una referencia a la misma. Activalas para no desvelar información a tu proveedor de wallet custodial.",
"Your last order #{{orderID}}": "Tu última orden #{{orderID}}",
"Inactive order": "Orden inactiva",
"You do not have previous orders": "No tienes órdenes previas",
"Join RoboSats' Subreddit": "Únete al subreddit de RoboSats",
"RoboSats in Reddit": "RoboSats en Reddit",
"Current onchain payout fee": "Coste actual de recibir onchain",
"Use stealth invoices": "Facturas sigilosas",
"Stealth lightning invoices do not contain details about the trade except an order reference. Enable this setting if you don't want to disclose details to a custodial lightning wallet.": "Las facturas sigilosas no contienen información sobre tu orden excepto una referencia a la misma. Activalas para no desvelar información a tu proveedor de wallet custodial.",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box": "Orden",
"Contract":"Contrato",
"Active":"Activo",
"Seen recently":"Visto recientemente",
"Inactive":"Inactivo",
"(Seller)":"(Vendedor)",
"(Buyer)":"(Comprador)",
"Contract": "Contrato",
"Active": "Activo",
"Seen recently": "Visto recientemente",
"Inactive": "Inactivo",
"(Seller)": "(Vendedor)",
"(Buyer)": "(Comprador)",
"Order maker": "Creador",
"Order taker": "Tomador",
"Order Details":"Detalles",
"Order status":"Estado de la orden",
"Waiting for maker bond":"Esperando la fianza del creador",
"Public":"Pública",
"Waiting for taker bond":"Esperando la fianza del tomador",
"Cancelled":"Cancelada",
"Expired":"Expirada",
"Order Details": "Detalles",
"Order status": "Estado de la orden",
"Waiting for maker bond": "Esperando la fianza del creador",
"Public": "Pública",
"Waiting for taker bond": "Esperando la fianza del tomador",
"Cancelled": "Cancelada",
"Expired": "Expirada",
"Waiting for trade collateral and buyer invoice": "Esperando el colateral y la factura del comprador",
"Waiting only for seller trade collateral": "Esperando el colateral del vendedor",
"Waiting only for buyer invoice": "Esperando la factura del comprador",
"Sending fiat - In chatroom":"Enviando el fiat - En el chat",
"Fiat sent - In chatroom":"Fiat enviado - En el chat",
"In dispute":"En disputa",
"Collaboratively cancelled":"Cancelada colaborativamente",
"Sending fiat - In chatroom": "Enviando el fiat - En el chat",
"Fiat sent - In chatroom": "Fiat enviado - En el chat",
"In dispute": "En disputa",
"Collaboratively cancelled": "Cancelada colaborativamente",
"Sending satoshis to buyer": "Enviando Sats al comprador",
"Sucessful trade":"Intercambio exitoso",
"Failed lightning network routing":"Enrutamiento fallido en la red Lightning",
"Wait for dispute resolution":"Espera a la resolución de la disputa",
"Maker lost dispute":"El creador perdió la disputa",
"Taker lost dispute":"El tomador perdió la disputa",
"Amount range":"Rango del monto",
"Sucessful trade": "Intercambio exitoso",
"Failed lightning network routing": "Enrutamiento fallido en la red Lightning",
"Wait for dispute resolution": "Espera a la resolución de la disputa",
"Maker lost dispute": "El creador perdió la disputa",
"Taker lost dispute": "El tomador perdió la disputa",
"Amount range": "Rango del monto",
"Swap destination": "Destino del swap",
"Accepted payment methods":"Métodos de pago aceptados",
"Others":"Otros",
"Accepted payment methods": "Métodos de pago aceptados",
"Others": "Otros",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Prima: {{premium}}%",
"Price and Premium":"Precio y prima",
"Price and Premium": "Precio y prima",
"Amount of Satoshis": "Cantidad de Sats",
"Premium over market price":"Prima sobre el mercado",
"Order ID":"Orden ID",
"Deposit timer":"Para depositar",
"Expires in":"Expira en",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} solicita cancelar colaborativamente",
"You asked for a collaborative cancellation":"Solicitaste cancelar colaborativamente",
"Premium over market price": "Prima sobre el mercado",
"Order ID": "Orden ID",
"Deposit timer": "Para depositar",
"Expires in": "Expira en",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} solicita cancelar colaborativamente",
"You asked for a collaborative cancellation": "Solicitaste cancelar colaborativamente",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Factura caducada: no confirmaste la publicación de la orden a tiempo. Puedes crear una nueva orden.",
"This order has been cancelled by the maker":"El creador ha cancelado esta orden",
"Invoice expired. You did not confirm taking the order in time.":"La factura retenida ha expirado. Al no bloquearla a tiempo, no has confirmado tomar la orden.",
"Penalty lifted, good to go!":"Sanción revocada, ¡vamos!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"¡No puedes tomar una orden aún! Espera {{timeMin}}m {{timeSec}}s",
"This order has been cancelled by the maker": "El creador ha cancelado esta orden",
"Invoice expired. You did not confirm taking the order in time.": "La factura retenida ha expirado. Al no bloquearla a tiempo, no has confirmado tomar la orden.",
"Penalty lifted, good to go!": "Sanción revocada, ¡vamos!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "¡No puedes tomar una orden aún! Espera {{timeMin}}m {{timeSec}}s",
"Too low": "Muy poco",
"Too high":"Demasiado",
"Too high": "Demasiado",
"Enter amount of fiat to exchange for bitcoin": "Introduce el monto de fiat a cambiar por bitcoin",
"Amount {{currencyCode}}":"Monto {{currencyCode}}",
"You must specify an amount first":"Primero debes especificar el monto",
"Take Order":"Tomar orden",
"Wait until you can take an order":"Espera hasta poder tomar una orden",
"Amount {{currencyCode}}": "Monto {{currencyCode}}",
"You must specify an amount first": "Primero debes especificar el monto",
"Take Order": "Tomar orden",
"Wait until you can take an order": "Espera hasta poder tomar una orden",
"Cancel the order?": "¿Cancelar la orden?",
"If the order is cancelled now you will lose your bond.": "Si cancelas la orden ahora perderás tu fianza.",
"Confirm Cancel":"Confirmar cancelación",
"Confirm Cancel": "Confirmar cancelación",
"The maker is away": "El creador está ausente",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Tomando esta orden corres el riesgo de perder el tiempo. Si el creador no procede a tiempo, se te compensará en Sats con el 50% de la fianza del creador.",
"Collaborative cancel the order?":"¿Cancelar la orden colaborativamente?",
"Collaborative cancel the order?": "¿Cancelar la orden colaborativamente?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Dado que el colateral está bloqueado, la orden solo puede cancelarse si tanto el creador como el tomador lo acuerdan.",
"Ask for Cancel":"Solicitar cancelación",
"Cancel":"Cancelar",
"Collaborative Cancel":"Cancelación colaborativa",
"Ask for Cancel": "Solicitar cancelación",
"Cancel": "Cancelar",
"Collaborative Cancel": "Cancelación colaborativa",
"Invalid Order Id": "ID de orden no válida",
"You must have a robot avatar to see the order details": "Debes tener un Robot para ver los detalles de la orden",
"This order has been cancelled collaborativelly":"Esta orden se ha cancelado colaborativamente",
"This order has been cancelled collaborativelly": "Esta orden se ha cancelado colaborativamente",
"This order is not available": "Esta orden no está disponible",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Los Satoshis Robóticos del almacén no te entendieron. Por favor rellena un Bug Issue en Github https://github.com/reckless-satoshi/robosats/issues",
"WebLN": "WebLN",
@ -317,27 +312,27 @@
"Type a message": "Escribe un mensaje",
"Connecting...": "Conectando...",
"Send": "Enviar",
"Verify your privacy":"Verifica tu privacidad",
"Audit PGP":"Auditar",
"Save full log as a JSON file (messages and credentials)":"Guardar el log completo como JSON (credenciales y mensajes)",
"Export":"Exporta",
"Don't trust, verify":"No confíes, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"Tu comunicación se encripta de punta-a-punta con OpenPGP. Puedes verificar la privacida de este chat con cualquier herramienta de tercero basada en el estandar PGP.",
"Learn how to verify":"Aprende a verificar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Esta es tu llave pública PGP. Tu contraparte la usa para encriptar mensajes que sólo tú puedes leer.",
"Your public key":"Tu llave pública",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"La llave pública PGP de tu contraparte. La usas para encriptar mensajes que solo él puede leer y verificar que es él quíen firmó los mensajes que recibes.",
"Peer public key":"Llave pública de tu contraparte",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"Tu llave privada PGP encriptada. La usas para desencriptar los mensajes que tu contraparte te envia. También la usas para firmar los mensajes que le envias.",
"Your encrypted private key":"Tu llave privada encriptada",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"La contraseña para desencriptar tu llave privada. ¡Solo tú la sabes! Mantenla en secreto. También es el token de tu robot.",
"Your private key passphrase (keep secure!)":"La contraseña de tu llave privada ¡Mantener segura!",
"Save credentials as a JSON file":"Guardar credenciales como achivo JSON",
"Keys":"Llaves",
"Save messages as a JSON file":"Guardar mensajes como archivo JSON",
"Messages":"Mensajes",
"Verified signature by {{nickname}}":"Firma de {{nickname}} verificada",
"Cannot verify signature of {{nickname}}":"No se pudo verificar la firma de {{nickname}}",
"Verify your privacy": "Verifica tu privacidad",
"Audit PGP": "Auditar",
"Save full log as a JSON file (messages and credentials)": "Guardar el log completo como JSON (credenciales y mensajes)",
"Export": "Exporta",
"Don't trust, verify": "No confíes, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "Tu comunicación se encripta de punta-a-punta con OpenPGP. Puedes verificar la privacida de este chat con cualquier herramienta de tercero basada en el estandar PGP.",
"Learn how to verify": "Aprende a verificar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Esta es tu llave pública PGP. Tu contraparte la usa para encriptar mensajes que sólo tú puedes leer.",
"Your public key": "Tu llave pública",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "La llave pública PGP de tu contraparte. La usas para encriptar mensajes que solo él puede leer y verificar que es él quíen firmó los mensajes que recibes.",
"Peer public key": "Llave pública de tu contraparte",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "Tu llave privada PGP encriptada. La usas para desencriptar los mensajes que tu contraparte te envia. También la usas para firmar los mensajes que le envias.",
"Your encrypted private key": "Tu llave privada encriptada",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "La contraseña para desencriptar tu llave privada. ¡Solo tú la sabes! Mantenla en secreto. También es el token de tu robot.",
"Your private key passphrase (keep secure!)": "La contraseña de tu llave privada ¡Mantener segura!",
"Save credentials as a JSON file": "Guardar credenciales como achivo JSON",
"Keys": "Llaves",
"Save messages as a JSON file": "Guardar mensajes como archivo JSON",
"Messages": "Mensajes",
"Verified signature by {{nickname}}": "Firma de {{nickname}} verificada",
"Cannot verify signature of {{nickname}}": "No se pudo verificar la firma de {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box": "Contrato",
@ -419,70 +414,69 @@
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Puedes retirar la cantidad de la resolución de la disputa (fianza y colateral) desde las recompensas de tu perfil. Si hay algo que el equipo pueda hacer, no dudes en contactar con robosats@protonmail.com (o a través del método de contacto de usar y tirar que especificaste).",
"You have lost the dispute": "Has perdido la disputa",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadamente has perdido la disputa. Si piensas que es un error también puedes pedir reabrir el caso por email a robosats@protonmail.com. De todas formas, las probabilidades de ser investigado de nuevo son bajas.",
"Expired not taken":"Expiró sin ser tomada",
"Maker bond not locked":"La fianza del creador no fue bloqueada",
"Escrow not locked":"El depósito de garantía no fue bloqueado",
"Invoice not submitted":"No se entregó factura del comprado",
"Neither escrow locked or invoice submitted":"Ni el depósito de garantía fue bloqueado ni se entregó factura del comprador",
"Renew Order":"Renovar Orden",
"Pause the public order":"Pausar la orden pública",
"Your order is paused":"Tu orden está en pausa",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Tu orden pública fue pausada. Ahora mismo, la orden no puede ser vista ni tomada por otros robots. Puedes volver a activarla cuando desees.",
"Unpause Order":"Activar Orden",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Si no bloqueas el colateral te arriesgas a perder tu fianza. Dispones en total de {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Ver billeteras compatibles",
"Failure reason:":"Razón del fallo:",
"Payment isn't failed (yet)":"El pago no ha fallado aún",
"There are more routes to try, but the payment timeout was exceeded.":"Quedan rutas por probar, pero el tiempo máximo del intento ha sido excedido.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Todas las rutas posibles han sido probadas y han fallado de forma permanente. O quizá no había ninguna ruta.",
"A non-recoverable error has occurred.":"A non-recoverable error has occurred.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Los detalles del pago son incorrectos (hash desconocido, cantidad inválida o CLTV delta final inválido).",
"Insufficient unlocked balance in RoboSats' node.":"Balance libre de ser usado en el nodo de RoboSats insuficiente.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"La factura entregada parece solo tener rutas ocultas muy caras, estas usando una billetera incomptable(¿Quizás Muun?). Echa un vistazo a la lista de billeteras compatibles en wallets.robosats.com",
"The invoice provided has no explicit amount":"La factura entregada no contiene una cantidad explícita",
"Does not look like a valid lightning invoice":"No parece ser una factura lightning válida",
"The invoice provided has already expired":"La factura que has entregado ya ha caducado",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Asegurate de EXPORTAR el registro del chat. Los administradores pueden pedirte el registro del chat en caso de discrepancias. Es tu responsabilidad proveerlo.",
"Invalid address":"Dirección inválida",
"Unable to validate address, check bitcoind backend":"No ha sido posible validar la dirección, comprobar el backend bitcoind",
"Submit payout info for {{amountSats}} Sats":"Envia info para recibir {{amountSats}} Sats",
"Expired not taken": "Expiró sin ser tomada",
"Maker bond not locked": "La fianza del creador no fue bloqueada",
"Escrow not locked": "El depósito de garantía no fue bloqueado",
"Invoice not submitted": "No se entregó factura del comprado",
"Neither escrow locked or invoice submitted": "Ni el depósito de garantía fue bloqueado ni se entregó factura del comprador",
"Renew Order": "Renovar Orden",
"Pause the public order": "Pausar la orden pública",
"Your order is paused": "Tu orden está en pausa",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Tu orden pública fue pausada. Ahora mismo, la orden no puede ser vista ni tomada por otros robots. Puedes volver a activarla cuando desees.",
"Unpause Order": "Activar Orden",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Si no bloqueas el colateral te arriesgas a perder tu fianza. Dispones en total de {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Ver billeteras compatibles",
"Failure reason:": "Razón del fallo:",
"Payment isn't failed (yet)": "El pago no ha fallado aún",
"There are more routes to try, but the payment timeout was exceeded.": "Quedan rutas por probar, pero el tiempo máximo del intento ha sido excedido.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Todas las rutas posibles han sido probadas y han fallado de forma permanente. O quizá no había ninguna ruta.",
"A non-recoverable error has occurred.": "A non-recoverable error has occurred.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Los detalles del pago son incorrectos (hash desconocido, cantidad inválida o CLTV delta final inválido).",
"Insufficient unlocked balance in RoboSats' node.": "Balance libre de ser usado en el nodo de RoboSats insuficiente.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "La factura entregada parece solo tener rutas ocultas muy caras, estas usando una billetera incomptable(¿Quizás Muun?). Echa un vistazo a la lista de billeteras compatibles en wallets.robosats.com",
"The invoice provided has no explicit amount": "La factura entregada no contiene una cantidad explícita",
"Does not look like a valid lightning invoice": "No parece ser una factura lightning válida",
"The invoice provided has already expired": "La factura que has entregado ya ha caducado",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Asegurate de EXPORTAR el registro del chat. Los administradores pueden pedirte el registro del chat en caso de discrepancias. Es tu responsabilidad proveerlo.",
"Invalid address": "Dirección inválida",
"Unable to validate address, check bitcoind backend": "No ha sido posible validar la dirección, comprobar el backend bitcoind",
"Submit payout info for {{amountSats}} Sats": "Envia info para recibir {{amountSats}} Sats",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Envía una factura por {{amountSats}} Sats",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.":"Antes de dejarte enviar {{amountFiat}} {{currencyCode}}, queremos asegurarnos de que puedes recibir BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.":"RoboSats hará un swap y enviará los Sats a tu dirección en la cadena.",
"Swap fee":"Comisión del swap",
"Mining fee":"Comisión minera",
"Mining Fee":"Comisión Minera",
"Final amount you will receive":"Monto final que vas a recibir",
"Bitcoin Address":"Dirección Bitcoin",
"Your TXID":"Tu TXID",
"Lightning":"Lightning",
"Onchain":"Onchain",
"open_dispute":"Para abrir una disputa debes esperar <1><1/>",
"Trade Summary":"Resumen del intercambio",
"Maker":"Creador",
"Taker":"Tomador",
"User role":"Operación",
"Sent":"Enviado",
"Received":"Recibido",
"BTC received":"BTC recibido",
"BTC sent":"BTC enviado",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)":"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)",
"Trade fee":"Comisión",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)":"{{swapFeeSats}} Sats ({{swapFeePercent}}%)",
"Onchain swap fee":"Coste swap onchain",
"{{miningFeeSats}} Sats":"{{miningFeeSats}} Sats",
"{{bondSats}} Sats ({{bondPercent}}%)":"{{bondSats}} Sats ({{bondPercent}}%)",
"Maker bond":"Fianza de creador",
"Taker bond":"Fianza de tomador",
"Unlocked":"Desbloqueada",
"{{revenueSats}} Sats":"{{revenueSats}} Sats",
"Platform trade revenue":"Beneficio de la plataforma",
"{{routingFeeSats}} MiliSats":"{{routingFeeSats}} MiliSats",
"Platform covered routing fee":"Coste de enrutado cubierto",
"Timestamp":"Marca de hora",
"Completed in":"Completado en",
"Contract exchange rate":"Tasa de cambio del contrato",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Antes de dejarte enviar {{amountFiat}} {{currencyCode}}, queremos asegurarnos de que puedes recibir BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats hará un swap y enviará los Sats a tu dirección en la cadena.",
"Swap fee": "Comisión del swap",
"Mining fee": "Comisión minera",
"Mining Fee": "Comisión Minera",
"Final amount you will receive": "Monto final que vas a recibir",
"Bitcoin Address": "Dirección Bitcoin",
"Your TXID": "Tu TXID",
"Lightning": "Lightning",
"Onchain": "Onchain",
"open_dispute": "Para abrir una disputa debes esperar <1><1/>",
"Trade Summary": "Resumen del intercambio",
"Maker": "Creador",
"Taker": "Tomador",
"User role": "Operación",
"Sent": "Enviado",
"Received": "Recibido",
"BTC received": "BTC recibido",
"BTC sent": "BTC enviado",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)": "{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)",
"Trade fee": "Comisión",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)": "{{swapFeeSats}} Sats ({{swapFeePercent}}%)",
"Onchain swap fee": "Coste swap onchain",
"{{miningFeeSats}} Sats": "{{miningFeeSats}} Sats",
"{{bondSats}} Sats ({{bondPercent}}%)": "{{bondSats}} Sats ({{bondPercent}}%)",
"Maker bond": "Fianza de creador",
"Taker bond": "Fianza de tomador",
"Unlocked": "Desbloqueada",
"{{revenueSats}} Sats": "{{revenueSats}} Sats",
"Platform trade revenue": "Beneficio de la plataforma",
"{{routingFeeSats}} MiliSats": "{{routingFeeSats}} MiliSats",
"Platform covered routing fee": "Coste de enrutado cubierto",
"Timestamp": "Marca de hora",
"Completed in": "Completado en",
"Contract exchange rate": "Tasa de cambio del contrato",
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Cerrar",
@ -500,9 +494,9 @@
"How to use": "Cómo utilizar",
"What payment methods are accepted?": "¿Qué métodos de pago son aceptados?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Todos siempre que sean rápidos. Puedes escribir abajo tu método de pago preferido(s). Tendrás que encontrar un compañero que acepte ese método. El paso para intercambiar el fiat tiene un tiempo de expiración de 24 horas antes de que se abra una disputa automáticamente. Te recomendamos métodos instantáneos de envío de fiat.",
"What are the fees?":"¿Cuales son las comisiones?",
"RoboSats total fee for an order is {{tradeFee}}%. This fee is split to be covered by both: the order maker ({{makerFee}}%) and the order taker ({{takerFee}}%). In case an onchain address is used to received the Sats a variable swap fee applies. Check the exchange details by tapping on the bottom bar icon to see the current swap fee.":"La comisión total de un intercambio es {{tradeFee}}%. Esta comisión se divide en: creador de la orden ({{makerFee}}%) y tomador de la order ({{takerFee}}%). En caso de que se utilize una dirección onchain para recibir los chats también exise una comisión variable para cubrir el coste del swap (ver las estadisticas del exchange clickando abajo para ver el coste actual del swap).",
"Be aware your fiat payment provider might charge extra fees. In any case, the buyer bears the costs of sending fiat. That includes banking charges, transfer fees and foreign exchange spreads. The seller must receive exactly the amount stated in the order details.":"Ten en cuenta que tu pasarela de pagos fiat puede cobrarte comisiones extra. En cualquier caso, estos costes siempre son cubiertos por el comprador. Esto incluye, comsiones de transferencia, costes bancarios y horquilla de intercambio de divisas. El vendedor debe recibir la cantidad exacta que se detalla en la orden.",
"What are the fees?": "¿Cuales son las comisiones?",
"RoboSats total fee for an order is {{tradeFee}}%. This fee is split to be covered by both: the order maker ({{makerFee}}%) and the order taker ({{takerFee}}%). In case an onchain address is used to received the Sats a variable swap fee applies. Check the exchange details by tapping on the bottom bar icon to see the current swap fee.": "La comisión total de un intercambio es {{tradeFee}}%. Esta comisión se divide en: creador de la orden ({{makerFee}}%) y tomador de la order ({{takerFee}}%). En caso de que se utilize una dirección onchain para recibir los chats también exise una comisión variable para cubrir el coste del swap (ver las estadisticas del exchange clickando abajo para ver el coste actual del swap).",
"Be aware your fiat payment provider might charge extra fees. In any case, the buyer bears the costs of sending fiat. That includes banking charges, transfer fees and foreign exchange spreads. The seller must receive exactly the amount stated in the order details.": "Ten en cuenta que tu pasarela de pagos fiat puede cobrarte comisiones extra. En cualquier caso, estos costes siempre son cubiertos por el comprador. Esto incluye, comsiones de transferencia, costes bancarios y horquilla de intercambio de divisas. El vendedor debe recibir la cantidad exacta que se detalla en la orden.",
"Are there trade limits?": "¿Hay límites de intercambios?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Para minimizar fallos en el enrutamiento Lightning, el máximo por intercambio es de {{maxAmount}} Sats. No hay límite de intercambios en el tiempo. Aunque un Robot solo puede intervenir en una orden a la vez, puedes usar varios Robots en diferentes navegadores (¡recuerda guardar los tokens de tus Robots!).",
"Is RoboSats private?": "¿RoboSats es privado?",

View File

@ -3,444 +3,436 @@
"You are not using RoboSats privately": "Ez duzu Robosats pribatuki erabiltzen",
"desktop_unsafe_alert": "Ezaugarri batzuk ezgaituta daude zure babeserako (adib. txata) eta ezingo duzu trukea osatu haiek gabe. Zure pribatutasuna babesteko eta Robosats osoki gaitzeko, erabili <1>Tor Browser</1> eta bisitatu <3>Onion</3> gunea.",
"phone_unsafe_alert": "Ezingo duzu trukea osatu. Erabili <1>Tor Browser</1> eta bisitatu <3>Onion</3> gunea.",
"Hide":"Ezkutatu",
"Hide": "Ezkutatu",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "LN P2P Exchange Sinple eta Pribatua",
"This is your trading avatar":"Hau da zure salerosketa Robota",
"Store your token safely":"Gorde zure tokena era seguru batean",
"A robot avatar was found, welcome back!":"Robot bat aurkitu da, ongi etorri berriz ere!",
"Copied!":"Kopiatuta!",
"Generate a new token":"Token berri bat sortu",
"Generate Robot":"Robota sortu",
"You must enter a new token first":"Aurrena, token berri bat sartu",
"Make Order":"Eskaera Egin",
"Info":"Infoa",
"View Book":"Ikusi Liburua",
"Learn RoboSats":"Ikasi RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Learn Robosats bisitatu behar duzu. Bertan, Robosats erabiltzen ikasteko eta nola dabilen ulertzeko tutorialak eta dokumentazioa aurkituko dituzu.",
"Let's go!":"Goazen!",
"Save token and PGP credentials to file":"Gorde tokena eta PGP kredentzialak fitxategira",
"This is your trading avatar": "Hau da zure salerosketa Robota",
"Store your token safely": "Gorde zure tokena era seguru batean",
"A robot avatar was found, welcome back!": "Robot bat aurkitu da, ongi etorri berriz ere!",
"Copied!": "Kopiatuta!",
"Generate a new token": "Token berri bat sortu",
"Generate Robot": "Robota sortu",
"You must enter a new token first": "Aurrena, token berri bat sartu",
"Make Order": "Eskaera Egin",
"Info": "Infoa",
"View Book": "Ikusi Liburua",
"Learn RoboSats": "Ikasi RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Learn Robosats bisitatu behar duzu. Bertan, Robosats erabiltzen ikasteko eta nola dabilen ulertzeko tutorialak eta dokumentazioa aurkituko dituzu.",
"Let's go!": "Goazen!",
"Save token and PGP credentials to file": "Gorde tokena eta PGP kredentzialak fitxategira",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Eskaera",
"Customize":"Pertsonalizatu",
"Buy or Sell Bitcoin?":"Bitcoin Erosi ala Saldu?",
"Buy":"Erosi",
"Sell":"Saldu",
"Amount":"Kopurua",
"Amount of fiat to exchange for bitcoin":"Bitcoingatik aldatzeko fiat kopurua",
"Invalid":"Baliogabea",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Sartu nahiago dituzun fiat ordainketa moduak. Modu azkarrak gomendatzen dira.",
"Must be shorter than 65 characters":"65 karaktere baino gutxiago izan behar ditu",
"Swap Destination(s)":"Trukearen Norakoa(k)",
"Fiat Payment Method(s)":"Fiat Ordainketa Modua(k)",
"You can add any method":"Edozein metodo gehitu dezakezu",
"Add New":"Gehitu Berria",
"Choose a Pricing Method":"Aukeratu prezioa nola ezarri",
"Relative":"Erlatiboa",
"Let the price move with the market":"Prezioa merkatuarekin mugituko da",
"Premium over Market (%)":"Merkatuarekiko Prima (%)",
"Explicit":"Finkoa",
"Set a fix amount of satoshis":"Satoshi kopuru finko bat ezarri",
"Satoshis":"Satoshiak",
"Fixed price:":"Prezio finkoa:",
"Order current rate:":"Uneko Prezioa:",
"Your order fixed exchange rate":"Zure eskaeraren kanbio-tasa finkoa",
"Your order's current exchange rate. Rate will move with the market.":"Zure eskaeraren oraingo kanbio-tasa. Tasa merkatuarekin mugituko da",
"Let the taker chose an amount within the range":"Hartzaileak zenbateko bat hauta dezake tartearen barruan",
"Enable Amount Range":"Zenbateko Tartea Baimendu",
"Order": "Eskaera",
"Customize": "Pertsonalizatu",
"Buy or Sell Bitcoin?": "Bitcoin Erosi ala Saldu?",
"Buy": "Erosi",
"Sell": "Saldu",
"Amount": "Kopurua",
"Amount of fiat to exchange for bitcoin": "Bitcoingatik aldatzeko fiat kopurua",
"Invalid": "Baliogabea",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Sartu nahiago dituzun fiat ordainketa moduak. Modu azkarrak gomendatzen dira.",
"Must be shorter than 65 characters": "65 karaktere baino gutxiago izan behar ditu",
"Swap Destination(s)": "Trukearen Norakoa(k)",
"Fiat Payment Method(s)": "Fiat Ordainketa Modua(k)",
"You can add any method": "Edozein metodo gehitu dezakezu",
"Add New": "Gehitu Berria",
"Choose a Pricing Method": "Aukeratu prezioa nola ezarri",
"Relative": "Erlatiboa",
"Let the price move with the market": "Prezioa merkatuarekin mugituko da",
"Premium over Market (%)": "Merkatuarekiko Prima (%)",
"Explicit": "Finkoa",
"Set a fix amount of satoshis": "Satoshi kopuru finko bat ezarri",
"Satoshis": "Satoshiak",
"Fixed price:": "Prezio finkoa:",
"Order current rate:": "Uneko Prezioa:",
"Your order fixed exchange rate": "Zure eskaeraren kanbio-tasa finkoa",
"Your order's current exchange rate. Rate will move with the market.": "Zure eskaeraren oraingo kanbio-tasa. Tasa merkatuarekin mugituko da",
"Let the taker chose an amount within the range": "Hartzaileak zenbateko bat hauta dezake tartearen barruan",
"Enable Amount Range": "Zenbateko Tartea Baimendu",
"From": "Min.",
"to":"max.",
"Expiry Timers":"Tenporizadoreak",
"Public Duration (HH:mm)":"Iraupen publikoa (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Gordailuaren gehienezko epea (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Inplikazio maila finkatu, handitu segurtasun gehiago izateko",
"Fidelity Bond Size":"Fidantzaren tamaina",
"Allow bondless takers":"Fidantza gabeko hartzaileak baimendu",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"LASTER - Arrisku altua! {{limitSats}}K Satera mugatua",
"You must fill the order correctly":"Eskaera zuzenki bete behar duzu",
"Create Order":"Eskaera Egin",
"Back":"Atzera",
"Create an order for ":"Eskaera bat sortu: ",
"Create a BTC buy order for ":"BTC erosketa eskaera bat sortu: ",
"Create a BTC sell order for ":"BTC salmenta eskaera bat sortu: ",
" of {{satoshis}} Satoshis":" {{satoshis}} Satoshirentzat",
" at market price":" merkatuko prezioan",
" at a {{premium}}% premium":" %{{premium}}-ko primarekin",
" at a {{discount}}% discount":" %{{discount}}-ko deskontuarekin",
"Must be less than {{max}}%":"%{{max}} baino gutxiago izan behar da",
"Must be more than {{min}}%":"%{{min}} baino gehiago izan behar da",
"to": "max.",
"Expiry Timers": "Tenporizadoreak",
"Public Duration (HH:mm)": "Iraupen publikoa (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Gordailuaren gehienezko epea (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Inplikazio maila finkatu, handitu segurtasun gehiago izateko",
"Fidelity Bond Size": "Fidantzaren tamaina",
"Allow bondless takers": "Fidantza gabeko hartzaileak baimendu",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "LASTER - Arrisku altua! {{limitSats}}K Satera mugatua",
"You must fill the order correctly": "Eskaera zuzenki bete behar duzu",
"Create Order": "Eskaera Egin",
"Back": "Atzera",
"Create an order for ": "Eskaera bat sortu: ",
"Create a BTC buy order for ": "BTC erosketa eskaera bat sortu: ",
"Create a BTC sell order for ": "BTC salmenta eskaera bat sortu: ",
" of {{satoshis}} Satoshis": " {{satoshis}} Satoshirentzat",
" at market price": " merkatuko prezioan",
" at a {{premium}}% premium": " %{{premium}}-ko primarekin",
" at a {{discount}}% discount": " %{{discount}}-ko deskontuarekin",
"Must be less than {{max}}%": "%{{max}} baino gutxiago izan behar da",
"Must be more than {{min}}%": "%{{min}} baino gehiago izan behar da",
"Must be less than {{maxSats}": "{{maxSats}} baino gutxiago izan behar da",
"Must be more than {{minSats}}": "{{minSats}} baino gehiago izan behar da",
"Store your robot token":"Gorde zure robot tokena",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Zure robot avatarra berreskuratu nahi izango duzu: gorde seguru. Beste aplikazio batean kopia dezakezu",
"Done":"Prest",
"You do not have a robot avatar":"Ez daukazu robot avatarrik",
"You need to generate a robot avatar in order to become an order maker":"Robot avatar bat sortu behar duzu eskaera bat egin ahal izateko",
"Store your robot token": "Gorde zure robot tokena",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Zure robot avatarra berreskuratu nahi izango duzu: gorde seguru. Beste aplikazio batean kopia dezakezu",
"Done": "Prest",
"You do not have a robot avatar": "Ez daukazu robot avatarrik",
"You need to generate a robot avatar in order to become an order maker": "Robot avatar bat sortu behar duzu eskaera bat egin ahal izateko",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Zehaztu gabea",
"Instant SEPA":"Bat-bateko SEPA",
"Amazon GiftCard":"Amazon Opari Txartela",
"Google Play Gift Code":"Google Play Opari Kodea",
"Cash F2F":"Eskudirua aurrez-aurre",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Zehaztu gabea",
"Instant SEPA": "Bat-bateko SEPA",
"Amazon GiftCard": "Amazon Opari Txartela",
"Google Play Gift Code": "Google Play Opari Kodea",
"Cash F2F": "Eskudirua aurrez-aurre",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Saltzaile",
"Buyer": "Erosle",
"I want to": "Nahi dut",
"Select Order Type": "Aukeratu eskaera mota",
"ANY_type": "EDOZEIN",
"ANY_currency": "EDOZEIN",
"BUY": "EROSI",
"SELL": "SALDU",
"and receive": "eta jaso",
"and pay with": "eta ordaindu erabiliz",
"and use": "eta erabili",
"Select Payment Currency": "Aukeratu Ordainketa Txanpona",
"Robot": "Robota",
"Is": "Da",
"Currency": "Txanpona",
"Payment Method": "Ordainketa Modua",
"Pay": "Ordaindu",
"Price": "Prezioa",
"Premium": "Prima",
"You are SELLING BTC for {{currencyCode}}": "BTC SALTZEN ari zara {{currencyCode}}gatik",
"You are BUYING BTC for {{currencyCode}}": "BTC EROSTEN ari zara {{currencyCode}}gatik",
"You are looking at all": "Dena ikusten ari zara",
"No orders found to sell BTC for {{currencyCode}}": "Eskaerarik ez BTC {{currencyCode}}gatik saltzeko",
"No orders found to buy BTC for {{currencyCode}}": "Eskaerarik ez BTC {{currencyCode}}gatik erosteko",
"Filter has no results": "Iragazkiak ez du emaitzarik",
"Be the first one to create an order": "Lehena izan eskaera bat sortzen",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Saltzaile",
"Buyer":"Erosle",
"I want to":"Nahi dut",
"Select Order Type":"Aukeratu eskaera mota",
"ANY_type":"EDOZEIN",
"ANY_currency":"EDOZEIN",
"BUY":"EROSI",
"SELL":"SALDU",
"and receive":"eta jaso",
"and pay with":"eta ordaindu erabiliz",
"and use":"eta erabili",
"Select Payment Currency":"Aukeratu Ordainketa Txanpona",
"Robot":"Robota",
"Is":"Da",
"Currency":"Txanpona",
"Payment Method":"Ordainketa Modua",
"Pay":"Ordaindu",
"Price":"Prezioa",
"Premium":"Prima",
"You are SELLING BTC for {{currencyCode}}":"BTC SALTZEN ari zara {{currencyCode}}gatik",
"You are BUYING BTC for {{currencyCode}}":"BTC EROSTEN ari zara {{currencyCode}}gatik",
"You are looking at all":"Dena ikusten ari zara",
"No orders found to sell BTC for {{currencyCode}}":"Eskaerarik ez BTC {{currencyCode}}gatik saltzeko",
"No orders found to buy BTC for {{currencyCode}}":"Eskaerarik ez BTC {{currencyCode}}gatik erosteko",
"Filter has no results":"Iragazkiak ez du emaitzarik",
"Be the first one to create an order":"Lehena izan eskaera bat sortzen",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Nerdentzako estatistikak",
"LND version":"LND bersioa",
"Currently running commit hash":"Egungo bertsioaren hasha",
"24h contracted volume":"24 ordutan kontratatutako bolumena",
"Lifetime contracted volume":"Guztira kontratatutako bolumena",
"Made with":"Erabili dira",
"and":"eta",
"... somewhere on Earth!":"... Lurreko lekuren batean!",
"Community":"Komunitatea",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Euskarri bakarra kanal publikoen bidez eskaintzen da. Egin bat Telegrameko gure komunitatearekin galderak badituzu edo beste Robot bikain batzuekin denbora pasa nahi baduzu. Mesedez, erabili GitHub akats bat jakinarazteko edo funtzionalitate berriak proposatzeko!",
"Follow RoboSats in Twitter":"Jarraitu RoboSats Twitterren",
"Twitter Official Account":"Twitter Kontu Ofiziala",
"RoboSats Telegram Communities":"RoboSats Telegram Komunitateak",
"Join RoboSats Spanish speaking community!":"Egin bat gaztelerazko RoboSats komunitatearekin!",
"Join RoboSats Russian speaking community!":"Egin bat errusierazko RoboSats komunitatearekin!",
"Join RoboSats Chinese speaking community!":"Egin bat txinerazko RoboSats komunitatearekin!",
"Join RoboSats English speaking community!":"Egin bat ingelerazko RoboSats komunitatearekin!",
"Tell us about a new feature or a bug":"Jakinarazi funtzionalitate berri bat edo akats bat",
"Github Issues - The Robotic Satoshis Open Source Project":"Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile":"Zure Profila",
"Your robot":"Zure robota",
"One active order #{{orderID}}":"Eskaera aktiboa #{{orderID}}",
"Your current order":"Zure oraingo eskaera",
"No active orders":"Eskaera aktiborik ez",
"Your token (will not remain here)":"Zure tokena (ez da hemen mantenduko)",
"Back it up!":"Gorde ezazu!",
"Cannot remember":"Ahaztu da",
"Rewards and compensations":"Sariak eta ordainak",
"Share to earn 100 Sats per trade":"Partekatu 100 Sat trukeko irabazteko",
"Your referral link":"Zure erreferentziako esteka",
"Your earned rewards":"Irabazitako sariak",
"Claim":"Eskatu",
"Invoice for {{amountSats}} Sats":"{{amountSats}} Sateko fakura",
"Submit":"Bidali",
"There it goes, thank you!🥇":"Hor doa, mila esker!🥇",
"You have an active order":"Eskaera aktibo bat duzu",
"You can claim satoshis!":"Satoshiak eska ditzakezu!",
"Public Buy Orders":"Erosteko Eskaera Publikoak",
"Public Sell Orders":"Saltzeko Eskaera Publikoak",
"Today Active Robots":"Gaurko Robot Aktiboak",
"24h Avg Premium":"24 orduko Batazbesteko Prima",
"Trade Fee":"Salerosketa Kuota",
"Show community and support links":"Erakutsi komunitate eta laguntza estekak",
"Show stats for nerds":"Erakutsi nerdentzako estatistikak",
"Exchange Summary":"Trukeen laburpena",
"Public buy orders":"Erosketa eskaera publikoak",
"Public sell orders":"Salmenta eskaera publikoak",
"Book liquidity":"Liburuaren likidezia",
"Today active robots":"Robot aktiboak gaur",
"24h non-KYC bitcoin premium":"24 orduko ez-KYC prima",
"Maker fee":"Egile kuota",
"Taker fee":"Hartzaile kuota",
"Number of public BUY orders":"EROSKETA eskaera publiko kopurua",
"Number of public SELL orders":"SALMENTA eskaera publiko kopurua",
"Your last order #{{orderID}}":"Zure azken eskaera #{{orderID}}",
"Inactive order":"Eskaera ez aktiboa",
"You do not have previous orders":"Ez duzu aurretik eskaerarik",
"Join RoboSats' Subreddit":"Egin bat RoboSats Subredditarekin",
"RoboSats in Reddit":"Robosats Redditen",
"Current onchain payout fee":"Oraingo onchain jasotze-kuota",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Nerdentzako estatistikak",
"LND version": "LND bersioa",
"Currently running commit hash": "Egungo bertsioaren hasha",
"24h contracted volume": "24 ordutan kontratatutako bolumena",
"Lifetime contracted volume": "Guztira kontratatutako bolumena",
"Made with": "Erabili dira",
"and": "eta",
"... somewhere on Earth!": "... Lurreko lekuren batean!",
"Community": "Komunitatea",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Euskarri bakarra kanal publikoen bidez eskaintzen da. Egin bat Telegrameko gure komunitatearekin galderak badituzu edo beste Robot bikain batzuekin denbora pasa nahi baduzu. Mesedez, erabili GitHub akats bat jakinarazteko edo funtzionalitate berriak proposatzeko!",
"Follow RoboSats in Twitter": "Jarraitu RoboSats Twitterren",
"Twitter Official Account": "Twitter Kontu Ofiziala",
"RoboSats Telegram Communities": "RoboSats Telegram Komunitateak",
"Join RoboSats Spanish speaking community!": "Egin bat gaztelerazko RoboSats komunitatearekin!",
"Join RoboSats Russian speaking community!": "Egin bat errusierazko RoboSats komunitatearekin!",
"Join RoboSats Chinese speaking community!": "Egin bat txinerazko RoboSats komunitatearekin!",
"Join RoboSats English speaking community!": "Egin bat ingelerazko RoboSats komunitatearekin!",
"Tell us about a new feature or a bug": "Jakinarazi funtzionalitate berri bat edo akats bat",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile": "Zure Profila",
"Your robot": "Zure robota",
"One active order #{{orderID}}": "Eskaera aktiboa #{{orderID}}",
"Your current order": "Zure oraingo eskaera",
"No active orders": "Eskaera aktiborik ez",
"Your token (will not remain here)": "Zure tokena (ez da hemen mantenduko)",
"Back it up!": "Gorde ezazu!",
"Cannot remember": "Ahaztu da",
"Rewards and compensations": "Sariak eta ordainak",
"Share to earn 100 Sats per trade": "Partekatu 100 Sat trukeko irabazteko",
"Your referral link": "Zure erreferentziako esteka",
"Your earned rewards": "Irabazitako sariak",
"Claim": "Eskatu",
"Invoice for {{amountSats}} Sats": "{{amountSats}} Sateko fakura",
"Submit": "Bidali",
"There it goes, thank you!🥇": "Hor doa, mila esker!🥇",
"You have an active order": "Eskaera aktibo bat duzu",
"You can claim satoshis!": "Satoshiak eska ditzakezu!",
"Public Buy Orders": "Erosteko Eskaera Publikoak",
"Public Sell Orders": "Saltzeko Eskaera Publikoak",
"Today Active Robots": "Gaurko Robot Aktiboak",
"24h Avg Premium": "24 orduko Batazbesteko Prima",
"Trade Fee": "Salerosketa Kuota",
"Show community and support links": "Erakutsi komunitate eta laguntza estekak",
"Show stats for nerds": "Erakutsi nerdentzako estatistikak",
"Exchange Summary": "Trukeen laburpena",
"Public buy orders": "Erosketa eskaera publikoak",
"Public sell orders": "Salmenta eskaera publikoak",
"Book liquidity": "Liburuaren likidezia",
"Today active robots": "Robot aktiboak gaur",
"24h non-KYC bitcoin premium": "24 orduko ez-KYC prima",
"Maker fee": "Egile kuota",
"Taker fee": "Hartzaile kuota",
"Number of public BUY orders": "EROSKETA eskaera publiko kopurua",
"Number of public SELL orders": "SALMENTA eskaera publiko kopurua",
"Your last order #{{orderID}}": "Zure azken eskaera #{{orderID}}",
"Inactive order": "Eskaera ez aktiboa",
"You do not have previous orders": "Ez duzu aurretik eskaerarik",
"Join RoboSats' Subreddit": "Egin bat RoboSats Subredditarekin",
"RoboSats in Reddit": "Robosats Redditen",
"Current onchain payout fee": "Oraingo onchain jasotze-kuota",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Eskaera",
"Contract":"Kontratua",
"Active":"Aktiboa",
"Seen recently":"Duela gutxi ikusia",
"Inactive":"Inaktiboa",
"(Seller)":"(Saltzaile)",
"(Buyer)":"(Erosle)",
"Order maker":"Eskaera egile",
"Order taker":"Eskaera hartzaile",
"Order Details":"Xehetasunak",
"Order status":"Eskaeraren egoera",
"Waiting for maker bond":"Egilearen fidantzaren zain",
"Public":"Publikoa",
"Waiting for taker bond":"Hartzailearen fidantzaren zain",
"Cancelled":"Ezeztatua",
"Expired":"Iraungia",
"Waiting for trade collateral and buyer invoice":"Eroslearen kolateral eta fakturaren zain",
"Waiting only for seller trade collateral":"Saltzailearen kolateralaren zain",
"Waiting only for buyer invoice":"Eroslearen fakturaren zain",
"Sending fiat - In chatroom":"Fiata bidaltzen - Txatean",
"Fiat sent - In chatroom":"Fiata bidalia - Txatean",
"In dispute":"Eztabaidan",
"Collaboratively cancelled":"Lankidetzaz ezeztatua",
"Sending satoshis to buyer":"Satoshiak erosleari bidaltzen",
"Sucessful trade":"Erosketa arrakastatsua",
"Failed lightning network routing":"Bideratze arazoa Lightning Networkean",
"Wait for dispute resolution":"Eztabaidaren ebazpenaren zain",
"Maker lost dispute":"Egileak eztabaida galdu du",
"Taker lost dispute":"Hartzaileak eztabaida galdu du",
"Amount range":"Zenbatekoaren tartea",
"Swap destination":"Trukearen norakoa",
"Accepted payment methods":"Onartutako ordainketa moduak",
"Others":"Besteak",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Prima: %{{premium}}",
"Price and Premium":"Prezioa eta Prima",
"Amount of Satoshis":"Satoshi kopurua",
"Premium over market price":"Merkatuko prezioarekiko prima",
"Order ID":"Eskaera ID",
"Deposit timer":"Gordailu tenporizadorea",
"Expires in":"Iraungitze denbora",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} lankidetzaz ezeztatzea eskatu du",
"You asked for a collaborative cancellation":"Lankidetzaz ezeztatzeko eskaera egin duzu",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Faktura iraungia. Ez duzu eskaera garaiz baieztatu. Egin eskaera berri bat.",
"This order has been cancelled by the maker":"Egileak eskaera ezeztatu du",
"Invoice expired. You did not confirm taking the order in time.":"Faktura iraungia. Ez duzu eskaeraren onarpena garaiz egin.",
"Penalty lifted, good to go!":"Zigorra kendu da, prest!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Oraindik ezin duzu eskaerarik hartu! Itxaron{{timeMin}}m {{timeSec}}s",
"Too low":"Baxuegia",
"Too high":"Altuegia",
"Enter amount of fiat to exchange for bitcoin":"Sartu bitcongatik aldatu nahi duzun fiat kopurua",
"Amount {{currencyCode}}":"Kopurua {{currencyCode}}",
"You must specify an amount first":"Aurrena kopurua zehaztu behar duzu",
"Take Order":"Eskaera hartu",
"Wait until you can take an order":"Itxaron eskaera hartu ahal izan arte",
"Cancel the order?":"Eskaera ezeztatu?",
"If the order is cancelled now you will lose your bond.":"Eskaera ezeztatuz gero fidantza galduko duzu.",
"Confirm Cancel":"Onartu ezeztapena",
"The maker is away":"Hartzailea ez dago",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Eskaera hau onartuz gero, denbora galtzea arriskatzen duzu. Egileak ez badu garaiz jarraitzen, satoshietan konpentsatua izango zara egilearen fidantzaren %50arekin",
"Collaborative cancel the order?":"Eskaera lankidetzaz ezeztatu?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Eskaeraren fidantza bidali da. Eskaera ezeztatu daiteke bakarrik egileak eta hartzaileak hala adosten badute.",
"Ask for Cancel":"Ezeztatzea eskatu",
"Cancel":"Ezeztatu",
"Collaborative Cancel":"Lankidetza ezeztapena",
"Invalid Order Id":"Eskaera ID baliogabea",
"You must have a robot avatar to see the order details":"Robot avatar bat behar duzu eskaeraren xehetasunak ikusteko",
"This order has been cancelled collaborativelly":"Eskaera hau lankidetzaz ezeztatua izan da",
"You are not allowed to see this order":"Ezin duzu eskaera hau ikusi",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Biltegiko Satoshi Robotikoek ez dizute ulertu. Mesedez, bete Bug Issue bat Github helbide honetan https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Zu",
"Peer":"Bera",
"connected":"konektatuta",
"disconnected":"deskonektatuta",
"Type a message":"Idatzi mezu bat",
"Connecting...":"Konektatzen...",
"Send":"Bidali",
"Verify your privacy":"Zure pribatasuna egiaztatu",
"Audit PGP":"Ikuskatu PGP",
"Save full log as a JSON file (messages and credentials)":"Gorde log guztia JSON fitxategi batean (mezuak eta kredentzialak)",
"Export":"Esportatu",
"Don't trust, verify":"Ez fidatu, egiaztatu",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"Zure komunikazioa ertzerik-ertzera zifratuta dago OpenPGP bidez. Txat honen pribatasuna egiazta dezakezu OpenPGP estandarrean oinarritutako edozein tresna erabiliz.",
"Learn how to verify":"Ikasi nola egiaztatu",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Zure PGP giltza publikoa. Zure pareak zuk bakarrik irakur ditzakezun mezuak zifratzeko erabiliko du.",
"Your public key":"Zure giltza publikoa",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"Zure parearen PGP giltza publikoa. Berak bakarrik irakur ditzakeen mezuak zifratzeko eta jasotako mezuak berak sinatu dituela egiaztatzeko erabiliko duzu.",
"Peer public key":"Parearen giltza publikoa",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"Zifratutako zure giltza pribatua. Zure pareak zuretzako zifratu dituen mezuak deszifratzeko erabiliko duzu. Zuk bidalitako mezuak sinatzeko ere erabiliko duzu.",
"Your encrypted private key":"Zifratutako zure giltza pribatua",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"Zure giltza pribatua deszifratzeko pasahitza. Zuk bakarrik dakizu! Ez partekatu. Zure robotaren tokena ere bada.",
"Your private key passphrase (keep secure!)":"Zure giltza pribatuaren pasahitza (seguru mantendu)",
"Save credentials as a JSON file":"Gorde kredentzialak JSON fitxategi moduan",
"Keys":"Giltzak",
"Save messages as a JSON file":"Gorde mezuak JSON fitxategi moduan",
"Messages":"Mezuak",
"Verified signature by {{nickname}}":"{{nickname}}ren egiaztatutako sinadura",
"Cannot verify signature of {{nickname}}":"Ezin izan da {{nickname}}ren sinadura egiaztatu",
"Order Box": "Eskaera",
"Contract": "Kontratua",
"Active": "Aktiboa",
"Seen recently": "Duela gutxi ikusia",
"Inactive": "Inaktiboa",
"(Seller)": "(Saltzaile)",
"(Buyer)": "(Erosle)",
"Order maker": "Eskaera egile",
"Order taker": "Eskaera hartzaile",
"Order Details": "Xehetasunak",
"Order status": "Eskaeraren egoera",
"Waiting for maker bond": "Egilearen fidantzaren zain",
"Public": "Publikoa",
"Waiting for taker bond": "Hartzailearen fidantzaren zain",
"Cancelled": "Ezeztatua",
"Expired": "Iraungia",
"Waiting for trade collateral and buyer invoice": "Eroslearen kolateral eta fakturaren zain",
"Waiting only for seller trade collateral": "Saltzailearen kolateralaren zain",
"Waiting only for buyer invoice": "Eroslearen fakturaren zain",
"Sending fiat - In chatroom": "Fiata bidaltzen - Txatean",
"Fiat sent - In chatroom": "Fiata bidalia - Txatean",
"In dispute": "Eztabaidan",
"Collaboratively cancelled": "Lankidetzaz ezeztatua",
"Sending satoshis to buyer": "Satoshiak erosleari bidaltzen",
"Sucessful trade": "Erosketa arrakastatsua",
"Failed lightning network routing": "Bideratze arazoa Lightning Networkean",
"Wait for dispute resolution": "Eztabaidaren ebazpenaren zain",
"Maker lost dispute": "Egileak eztabaida galdu du",
"Taker lost dispute": "Hartzaileak eztabaida galdu du",
"Amount range": "Zenbatekoaren tartea",
"Swap destination": "Trukearen norakoa",
"Accepted payment methods": "Onartutako ordainketa moduak",
"Others": "Besteak",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Prima: %{{premium}}",
"Price and Premium": "Prezioa eta Prima",
"Amount of Satoshis": "Satoshi kopurua",
"Premium over market price": "Merkatuko prezioarekiko prima",
"Order ID": "Eskaera ID",
"Deposit timer": "Gordailu tenporizadorea",
"Expires in": "Iraungitze denbora",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} lankidetzaz ezeztatzea eskatu du",
"You asked for a collaborative cancellation": "Lankidetzaz ezeztatzeko eskaera egin duzu",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Faktura iraungia. Ez duzu eskaera garaiz baieztatu. Egin eskaera berri bat.",
"This order has been cancelled by the maker": "Egileak eskaera ezeztatu du",
"Invoice expired. You did not confirm taking the order in time.": "Faktura iraungia. Ez duzu eskaeraren onarpena garaiz egin.",
"Penalty lifted, good to go!": "Zigorra kendu da, prest!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Oraindik ezin duzu eskaerarik hartu! Itxaron{{timeMin}}m {{timeSec}}s",
"Too low": "Baxuegia",
"Too high": "Altuegia",
"Enter amount of fiat to exchange for bitcoin": "Sartu bitcongatik aldatu nahi duzun fiat kopurua",
"Amount {{currencyCode}}": "Kopurua {{currencyCode}}",
"You must specify an amount first": "Aurrena kopurua zehaztu behar duzu",
"Take Order": "Eskaera hartu",
"Wait until you can take an order": "Itxaron eskaera hartu ahal izan arte",
"Cancel the order?": "Eskaera ezeztatu?",
"If the order is cancelled now you will lose your bond.": "Eskaera ezeztatuz gero fidantza galduko duzu.",
"Confirm Cancel": "Onartu ezeztapena",
"The maker is away": "Hartzailea ez dago",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Eskaera hau onartuz gero, denbora galtzea arriskatzen duzu. Egileak ez badu garaiz jarraitzen, satoshietan konpentsatua izango zara egilearen fidantzaren %50arekin",
"Collaborative cancel the order?": "Eskaera lankidetzaz ezeztatu?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Eskaeraren fidantza bidali da. Eskaera ezeztatu daiteke bakarrik egileak eta hartzaileak hala adosten badute.",
"Ask for Cancel": "Ezeztatzea eskatu",
"Cancel": "Ezeztatu",
"Collaborative Cancel": "Lankidetza ezeztapena",
"Invalid Order Id": "Eskaera ID baliogabea",
"You must have a robot avatar to see the order details": "Robot avatar bat behar duzu eskaeraren xehetasunak ikusteko",
"This order has been cancelled collaborativelly": "Eskaera hau lankidetzaz ezeztatua izan da",
"You are not allowed to see this order": "Ezin duzu eskaera hau ikusi",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Biltegiko Satoshi Robotikoek ez dizute ulertu. Mesedez, bete Bug Issue bat Github helbide honetan https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Zu",
"Peer": "Bera",
"connected": "konektatuta",
"disconnected": "deskonektatuta",
"Type a message": "Idatzi mezu bat",
"Connecting...": "Konektatzen...",
"Send": "Bidali",
"Verify your privacy": "Zure pribatasuna egiaztatu",
"Audit PGP": "Ikuskatu PGP",
"Save full log as a JSON file (messages and credentials)": "Gorde log guztia JSON fitxategi batean (mezuak eta kredentzialak)",
"Export": "Esportatu",
"Don't trust, verify": "Ez fidatu, egiaztatu",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "Zure komunikazioa ertzerik-ertzera zifratuta dago OpenPGP bidez. Txat honen pribatasuna egiazta dezakezu OpenPGP estandarrean oinarritutako edozein tresna erabiliz.",
"Learn how to verify": "Ikasi nola egiaztatu",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Zure PGP giltza publikoa. Zure pareak zuk bakarrik irakur ditzakezun mezuak zifratzeko erabiliko du.",
"Your public key": "Zure giltza publikoa",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Zure parearen PGP giltza publikoa. Berak bakarrik irakur ditzakeen mezuak zifratzeko eta jasotako mezuak berak sinatu dituela egiaztatzeko erabiliko duzu.",
"Peer public key": "Parearen giltza publikoa",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "Zifratutako zure giltza pribatua. Zure pareak zuretzako zifratu dituen mezuak deszifratzeko erabiliko duzu. Zuk bidalitako mezuak sinatzeko ere erabiliko duzu.",
"Your encrypted private key": "Zifratutako zure giltza pribatua",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Zure giltza pribatua deszifratzeko pasahitza. Zuk bakarrik dakizu! Ez partekatu. Zure robotaren tokena ere bada.",
"Your private key passphrase (keep secure!)": "Zure giltza pribatuaren pasahitza (seguru mantendu)",
"Save credentials as a JSON file": "Gorde kredentzialak JSON fitxategi moduan",
"Keys": "Giltzak",
"Save messages as a JSON file": "Gorde mezuak JSON fitxategi moduan",
"Messages": "Mezuak",
"Verified signature by {{nickname}}": "{{nickname}}ren egiaztatutako sinadura",
"Cannot verify signature of {{nickname}}": "Ezin izan da {{nickname}}ren sinadura egiaztatu",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Kontratua",
"Contract Box": "Kontratua",
"Robots show commitment to their peers": "Robotek beren pareekiko konpromezua erakusten dute",
"Lock {{amountSats}} Sats to PUBLISH order": "Blokeatu {{amountSats}} Sat eskaera PUBLIKATZEKO",
"Lock {{amountSats}} Sats to TAKE order": "Blokeatu {{amountSats}} Sat eskaera HARTZEKO",
"Lock {{amountSats}} Sats as collateral": "Blokeatu {{amountSats}} Sat kolateral moduan",
"Copy to clipboard":"Kopiatu",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Atxikitako faktura bat da hau, zure karteran blokeatuko da. Eztabaida bat bertan behera utzi edo galtzen baduzu bakarrik kobratuko da.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Atxikitako faktura bat da hau, zure karteran blokeatuko da. Erosleari emango zaio, behin {{currencyCode}}ak jaso dituzula baieztatuta.",
"Your maker bond is locked":"Zure egile fidantza blokeatu da",
"Your taker bond is locked":"Zure hartzaile fidantza blokeatu da",
"Your maker bond was settled":"Zure egile fidantza ordaindu da",
"Your taker bond was settled":"Zure hartzaile fidantza ordaindu da",
"Your maker bond was unlocked":"Zure egile fidantza desblokeatu da",
"Your taker bond was unlocked":"Zure hartzaile fidantza ordaindu da",
"Your order is public":"Zure eskaera publikatu da",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Pazientzia izan robotek liburua aztertzen duten bitartean. Kutxa honek joko du 🔊 robot batek zure eskaera hartzen duenean, gero {{deposit_timer_hours}}h {{deposit_timer_minutes}}m izango dituzu erantzuteko. Ez baduzu erantzuten, zure fidantza galdu dezakezu.",
"If the order expires untaken, your bond will return to you (no action needed).":"Eskaera hartu gabe amaitzen bada, fidantza automatikoki itzuliko zaizu.",
"Enable Telegram Notifications":"Baimendu Telegram Jakinarazpenak",
"Enable TG Notifications":"Baimendu TG Jakinarazpenak",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"RoboSats telegrama botarekin hitz egingo duzu. Zabaldu berriketa eta sakatu Start. Telegrama bidez anonimotasun maila jaitsi zenezake.",
"Go back":"Joan atzera",
"Enable":"Baimendu",
"Telegram enabled":"Telegram baimendua",
"Public orders for {{currencyCode}}":"Eskaera publikoak {{currencyCode}}entzat",
"Copy to clipboard": "Kopiatu",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Atxikitako faktura bat da hau, zure karteran blokeatuko da. Eztabaida bat bertan behera utzi edo galtzen baduzu bakarrik kobratuko da.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Atxikitako faktura bat da hau, zure karteran blokeatuko da. Erosleari emango zaio, behin {{currencyCode}}ak jaso dituzula baieztatuta.",
"Your maker bond is locked": "Zure egile fidantza blokeatu da",
"Your taker bond is locked": "Zure hartzaile fidantza blokeatu da",
"Your maker bond was settled": "Zure egile fidantza ordaindu da",
"Your taker bond was settled": "Zure hartzaile fidantza ordaindu da",
"Your maker bond was unlocked": "Zure egile fidantza desblokeatu da",
"Your taker bond was unlocked": "Zure hartzaile fidantza ordaindu da",
"Your order is public": "Zure eskaera publikatu da",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Pazientzia izan robotek liburua aztertzen duten bitartean. Kutxa honek joko du 🔊 robot batek zure eskaera hartzen duenean, gero {{deposit_timer_hours}}h {{deposit_timer_minutes}}m izango dituzu erantzuteko. Ez baduzu erantzuten, zure fidantza galdu dezakezu.",
"If the order expires untaken, your bond will return to you (no action needed).": "Eskaera hartu gabe amaitzen bada, fidantza automatikoki itzuliko zaizu.",
"Enable Telegram Notifications": "Baimendu Telegram Jakinarazpenak",
"Enable TG Notifications": "Baimendu TG Jakinarazpenak",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "RoboSats telegrama botarekin hitz egingo duzu. Zabaldu berriketa eta sakatu Start. Telegrama bidez anonimotasun maila jaitsi zenezake.",
"Go back": "Joan atzera",
"Enable": "Baimendu",
"Telegram enabled": "Telegram baimendua",
"Public orders for {{currencyCode}}": "Eskaera publikoak {{currencyCode}}entzat",
"Premium rank": "Prima maila",
"Among public {{currencyCode}} orders (higher is cheaper)": "{{currencyCode}} eskaera publikoen artean (altuagoa merkeagoa da)",
"A taker has been found!":"Hartzaile bat aurkitu da!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Mesedez itxaron hartzaileak fidantza blokeatu harte. Hartzaileak fidantza garaiz blokeatzen ez badu, eskaera berriz publikatuko da.",
"Payout Lightning Invoice":"Lightning Faktura ordaindu",
"Your info looks good!":"Zure informazioa ondo dago!",
"We are waiting for the seller to lock the trade amount.":"Saltzaileak adostutako kopurua blokeatu zain gaude.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Itxaron pixka bat. Saltzaileak ez badu gordailatzen, automatikoki berreskuratuko duzu zure fidantza. Gainera, konpentsazio bat jasoko duzu (begiratu sariak zure profilean).",
"The trade collateral is locked!":"Kolaterala blokeatu da!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Erosleak lightning faktura bat partekatu zain gaude. Behin hori eginda, zuzenean fiat ordainketaren xehetasunak komunikatu ahalko dizkiozu.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Itxaron pixka bat. Erosleak ez badu kooperatzen, kolaterala eta zure fidantza automatikoki jasoko dituzu. Gainera, konpentsazio bat jasoko duzu (begiratu sariak zure profilean).",
"Confirm {{amount}} {{currencyCode}} sent":"Baieztatu {{amount}} {{currencyCode}} bidali dela",
"Confirm {{amount}} {{currencyCode}} received":"Baieztatu {{amount}} {{currencyCode}} jaso dela",
"Open Dispute":"Eztabaida Ireki",
"The order has expired":"Eskaera iraungi da",
"Chat with the buyer":"Txateatu eroslearekin",
"Chat with the seller":"Txateatu saltzailearekin",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Agurtu! Lagungarri eta labur izan. Jakin dezatela {{amount}} {{currencyCode}}ak nola bidali.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"Erosleak fiata bidali du. Klikatu 'Baieztatu Jasoa' behin jasota.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Agurtu! Eskatu ordainketa xehetasunak eta klikatu 'Baieztatu Bidalia' ordainketa egin bezain pronto.",
"Wait for the seller to confirm he has received the payment.":"Itxaron saltzaileak ordainketa jaso duela baieztatu arte.",
"Confirm you received {{amount}} {{currencyCode}}?":"Baieztatu {{amount}} {{currencyCode}} jaso duzula?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Fiata jaso duzula baieztatzean, salerosketa amaituko da. Blokeatutako Satoshiak erosleari bidaliko zaizkio. Baieztatu bakarrik {{amount}} {{currencyCode}}ak zure kontuan jaso badituzu. Gainera, {{currencyCode}}ak jaso badituzu baina ez baduzu baieztatzen, zure fidantza galtzea arriskatzen duzu.",
"Confirm":"Baieztatu",
"Trade finished!":"Salerosketa amaitua!",
"rate_robosats":"Zer iruditu zaizu <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Mila esker! RoboSatsek ere maite zaitu ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats hobetu egiten da likidezia eta erabiltzaile gehiagorekin. Aipatu Robosats lagun bitcoiner bati!",
"Thank you for using Robosats!":"Mila esker Robosats erabiltzeagatik!",
"let_us_know_hot_to_improve":"Kontaiguzu nola hobetu dezakegun (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Berriz Hasi",
"Attempting Lightning Payment":"Lightning Ordainketa saiatzen",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats zure Lightning faktura ordaintzen saiatzen ari da. Gogoratu lightning nodoak online egon behar direla ordainketak jaso ahal izateko.",
"Retrying!":"Berriz saiatzen!",
"Lightning Routing Failed":"Lightning Bideratze Akatsa",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.":"Zure faktura iraungi da edo 3 ordainketa saiakera baino gehiago egin dira. Aurkeztu faktura berri bat.",
"Check the list of compatible wallets":"Begiratu kartera bateragarrien zerrenda",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats 3 aldiz saiatuko da zure faktura ordaintzen, tartean minutu bateko etenaldiarekin. Akatsa ematen jarraitzen badu, faktura berri bat aurkeztu ahal izango duzu. Begiratu ea nahikoa sarrerako likidezia daukazun. Gogoratu lightning nodoak online egon behar direla ordainketak jaso ahal izateko.",
"Next attempt in":"Hurrengo saiakera",
"Do you want to open a dispute?":"Eztabaida bat ireki nahi duzu?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"RoboSatseko langileek baieztapenak eta frogak aztertuko dituzte. Kasu oso bat eraiki behar duzu, langileek ezin baitute txateko berriketa irakurri. Hobe da behin erabiltzeko kontaktu metodo bat ematea zure adierazpenarekin. Blokeatutako Satosiak eztabaidako irabazleari bidaliko zaizkio, eta galtzaileak, berriz, fidantza galduko du.",
"Disagree":"Atzera",
"Agree and open dispute":"Onartu eta eztabaida ireki",
"A dispute has been opened":"Eztabaida bat ireki da",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Mesedez, aurkeztu zure adierazpena. Argitu eta zehaztu gertatutakoa eta eman frogak. Kontaktu metodo bat jarri BEHAR duzu: Behin erabiltzeko posta elektronikoa, XMPP edo telegram erabiltzailea langileekin jarraitzeko. Benetako roboten (hau da, gizakien) diskrezioz konpontzen dira eztabaidak, eta, beraz, ahalik eta lagungarrien izan zaitez emaitza on bat bermatzeko. Gehienez 5000 karaktere.",
"Submit dispute statement":"Aurkeztu eztabaidaren adierazpena",
"We have received your statement":"Zure adierazpena jaso dugu",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Zure kidearen baieztapenaren zain gaude. Zalantzan bazaude eztabaidaren egoeraz edo informazio gehiago erantsi nahi baduzu, kontaktatu robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Mesedez, gorde zure agindua eta zure ordainketak identifikatzeko behar duzun informazioa: eskaera IDa; fidantzaren edo gordailuaren ordainagiriak (begira ezazu zure lightning karteran); satosi kopuru zehatza; eta robot ezizena. Zure burua identifikatu beharko duzu salerosketa honetako partehartzaile moduan posta elektroniko bidez (edo beste kontaktu metodo baten bitartez).",
"We have the statements":"Adierazpenak jaso ditugu",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Bi adierazpenak jaso dira. Itxaron langileek eztabaida ebatzi arte. Eztabaidaren egoeraz zalantzak badituzu edo informazio gehiago eman nahi baduzu, jarri robosatekin harremanetan. Ez baduzu kontaktu metodo bat eman edo ez bazaude ziur ondo idatzi duzun, idatzi berehala.",
"You have won the dispute":"Eztabaida irabazi duzu",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Eztabaidaren ebazpen-kopurua jaso dezakezu (fidantza eta kolaterala) zure profileko sarien atalean. Langileek egin dezaketen beste zerbait badago, ez izan zalantzarik harremanetan jartzeko robosat@protonmail.com bidez (edo zure behin erabiltzeko metodoarekin).",
"You have lost the dispute":"Eztabaida galdu duzu",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Tamalez, eztabaida galdu duzu. Akatsen bat dagoela uste baduzu kasua berriz ere irekitzea eska dezakezu robosats@protonmail.com helbidera idatziz. Hala ere, berriro ikertzeko aukerak eskasak dira.",
"Expired not taken":"Hartua gabe iraungi da",
"Maker bond not locked":"Egilearen fidantza ez da blokeatu",
"Escrow not locked":"Gordailua ez da blokeatu",
"Invoice not submitted":"Faktura ez da bidali",
"Neither escrow locked or invoice submitted":"Gordailurik ez da blokeatu eta fakturarik ez da jaso",
"Renew Order":"Eskaera Berritu",
"Pause the public order":"Eskaera publikoa eten",
"Your order is paused":"Zure eskaera etenaldian dago",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Zure ordena publikoa eten egin da. Oraingoz beste robot batzuek ezin dute ez ikusi ez hartu. Noiznahi aktibatu dezakezu.",
"Unpause Order":"Eskaera berriz ezarri",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Zure fidantza galtzea arriskatzen duzu kolaterala ez baduzu blokeatzen. Geratzen den denbora ondorengoa da: {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Begiratu Kartera Bateragarriak",
"Failure reason:":"Akatsaren arrazoia:",
"Payment isn't failed (yet)":"Ordainketak ez du huts egin (oraindik)",
"There are more routes to try, but the payment timeout was exceeded.":"Bide gehiago daude saiatzeko, baina ordaintzeko epea gainditu da.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Bide posible guztiak probatu dira eta etengabe huts egin dute. Edo agian ez zegoen bide posiblerik.",
"A non-recoverable error has occurred.":"Akats berreskuraezin bat gertatu da.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Ordainketa xehetasunak okerrak dira (hash ezezaguna, kopuru okerra edo azken CLTV delta baliogabea).",
"Insufficient unlocked balance in RoboSats' node.":"Ez dago balantze libre nahikoa RoboSatsen nodoan.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"Aurkeztutako fakturak bide-aztarna garestiak besterik ez ditu, kartera bateraezin bat erabiltzen ari zara (ziurrenik Muun?). Egiaztatu karteraren bateragarritasun gida wallets.robosats.com helbidean",
"The invoice provided has no explicit amount":"Aurkeztutako fakturak ez du kopuru espliziturik",
"Does not look like a valid lightning invoice":"Ez dirudi lightning faktura onargarri bat denik",
"The invoice provided has already expired":"Aurkeztutako faktura dagoeneko iraungi da",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Ziurtatu txata ESPORTATU duzula. Baliteke langileek zure txat log JSON esportatua eskatzea desadostasunak konpontzeko. Zure ardura da gordetzea.",
"Does not look like a valid address":"Ez dirudi helbide onargarri bat denik",
"This is not a bitcoin mainnet address":"Hau ez da bitcoin mainnet helbide bat",
"This is not a bitcoin testnet address":"Hau ez da bitcoin testnet helbide bat",
"Submit payout info for {{amountSats}} Sats":"Bidali {{amountSats}} Satoshiko ordainketa informazioa",
"Submit a valid invoice for {{amountSats}} Satoshis.":"Bidali {{amountSats}} Satoshiko baliozko faktura bat.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.":"{{amountFiat}} {{currencyCode}} bidaltzea baimendu aurretik, ziurtatu nahi dugu BTC jaso dezakezula.",
"RoboSats will do a swap and send the Sats to your onchain address.":"RoboSatsek swap bat egingo du eta Satoshiak zure onchain helbidera bidaliko ditu.",
"Swap fee":"Swap kuota",
"Mining fee":"Meatzaritza kuota",
"Mining Fee":"Meatzaritza Kuota",
"Final amount you will receive":"Jasoko duzun azken kopurua",
"Bitcoin Address":"Bitcoin Helbidea",
"Your TXID":"Zure TXID",
"Lightning":"Lightning",
"Onchain":"Onchain",
"A taker has been found!": "Hartzaile bat aurkitu da!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Mesedez itxaron hartzaileak fidantza blokeatu harte. Hartzaileak fidantza garaiz blokeatzen ez badu, eskaera berriz publikatuko da.",
"Payout Lightning Invoice": "Lightning Faktura ordaindu",
"Your info looks good!": "Zure informazioa ondo dago!",
"We are waiting for the seller to lock the trade amount.": "Saltzaileak adostutako kopurua blokeatu zain gaude.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Itxaron pixka bat. Saltzaileak ez badu gordailatzen, automatikoki berreskuratuko duzu zure fidantza. Gainera, konpentsazio bat jasoko duzu (begiratu sariak zure profilean).",
"The trade collateral is locked!": "Kolaterala blokeatu da!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Erosleak lightning faktura bat partekatu zain gaude. Behin hori eginda, zuzenean fiat ordainketaren xehetasunak komunikatu ahalko dizkiozu.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Itxaron pixka bat. Erosleak ez badu kooperatzen, kolaterala eta zure fidantza automatikoki jasoko dituzu. Gainera, konpentsazio bat jasoko duzu (begiratu sariak zure profilean).",
"Confirm {{amount}} {{currencyCode}} sent": "Baieztatu {{amount}} {{currencyCode}} bidali dela",
"Confirm {{amount}} {{currencyCode}} received": "Baieztatu {{amount}} {{currencyCode}} jaso dela",
"Open Dispute": "Eztabaida Ireki",
"The order has expired": "Eskaera iraungi da",
"Chat with the buyer": "Txateatu eroslearekin",
"Chat with the seller": "Txateatu saltzailearekin",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Agurtu! Lagungarri eta labur izan. Jakin dezatela {{amount}} {{currencyCode}}ak nola bidali.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Erosleak fiata bidali du. Klikatu 'Baieztatu Jasoa' behin jasota.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Agurtu! Eskatu ordainketa xehetasunak eta klikatu 'Baieztatu Bidalia' ordainketa egin bezain pronto.",
"Wait for the seller to confirm he has received the payment.": "Itxaron saltzaileak ordainketa jaso duela baieztatu arte.",
"Confirm you received {{amount}} {{currencyCode}}?": "Baieztatu {{amount}} {{currencyCode}} jaso duzula?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Fiata jaso duzula baieztatzean, salerosketa amaituko da. Blokeatutako Satoshiak erosleari bidaliko zaizkio. Baieztatu bakarrik {{amount}} {{currencyCode}}ak zure kontuan jaso badituzu. Gainera, {{currencyCode}}ak jaso badituzu baina ez baduzu baieztatzen, zure fidantza galtzea arriskatzen duzu.",
"Confirm": "Baieztatu",
"Trade finished!": "Salerosketa amaitua!",
"rate_robosats": "Zer iruditu zaizu <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Mila esker! RoboSatsek ere maite zaitu ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats hobetu egiten da likidezia eta erabiltzaile gehiagorekin. Aipatu Robosats lagun bitcoiner bati!",
"Thank you for using Robosats!": "Mila esker Robosats erabiltzeagatik!",
"let_us_know_hot_to_improve": "Kontaiguzu nola hobetu dezakegun (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Berriz Hasi",
"Attempting Lightning Payment": "Lightning Ordainketa saiatzen",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats zure Lightning faktura ordaintzen saiatzen ari da. Gogoratu lightning nodoak online egon behar direla ordainketak jaso ahal izateko.",
"Retrying!": "Berriz saiatzen!",
"Lightning Routing Failed": "Lightning Bideratze Akatsa",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Zure faktura iraungi da edo 3 ordainketa saiakera baino gehiago egin dira. Aurkeztu faktura berri bat.",
"Check the list of compatible wallets": "Begiratu kartera bateragarrien zerrenda",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 3 aldiz saiatuko da zure faktura ordaintzen, tartean minutu bateko etenaldiarekin. Akatsa ematen jarraitzen badu, faktura berri bat aurkeztu ahal izango duzu. Begiratu ea nahikoa sarrerako likidezia daukazun. Gogoratu lightning nodoak online egon behar direla ordainketak jaso ahal izateko.",
"Next attempt in": "Hurrengo saiakera",
"Do you want to open a dispute?": "Eztabaida bat ireki nahi duzu?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "RoboSatseko langileek baieztapenak eta frogak aztertuko dituzte. Kasu oso bat eraiki behar duzu, langileek ezin baitute txateko berriketa irakurri. Hobe da behin erabiltzeko kontaktu metodo bat ematea zure adierazpenarekin. Blokeatutako Satosiak eztabaidako irabazleari bidaliko zaizkio, eta galtzaileak, berriz, fidantza galduko du.",
"Disagree": "Atzera",
"Agree and open dispute": "Onartu eta eztabaida ireki",
"A dispute has been opened": "Eztabaida bat ireki da",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Mesedez, aurkeztu zure adierazpena. Argitu eta zehaztu gertatutakoa eta eman frogak. Kontaktu metodo bat jarri BEHAR duzu: Behin erabiltzeko posta elektronikoa, XMPP edo telegram erabiltzailea langileekin jarraitzeko. Benetako roboten (hau da, gizakien) diskrezioz konpontzen dira eztabaidak, eta, beraz, ahalik eta lagungarrien izan zaitez emaitza on bat bermatzeko. Gehienez 5000 karaktere.",
"Submit dispute statement": "Aurkeztu eztabaidaren adierazpena",
"We have received your statement": "Zure adierazpena jaso dugu",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Zure kidearen baieztapenaren zain gaude. Zalantzan bazaude eztabaidaren egoeraz edo informazio gehiago erantsi nahi baduzu, kontaktatu robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Mesedez, gorde zure agindua eta zure ordainketak identifikatzeko behar duzun informazioa: eskaera IDa; fidantzaren edo gordailuaren ordainagiriak (begira ezazu zure lightning karteran); satosi kopuru zehatza; eta robot ezizena. Zure burua identifikatu beharko duzu salerosketa honetako partehartzaile moduan posta elektroniko bidez (edo beste kontaktu metodo baten bitartez).",
"We have the statements": "Adierazpenak jaso ditugu",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Bi adierazpenak jaso dira. Itxaron langileek eztabaida ebatzi arte. Eztabaidaren egoeraz zalantzak badituzu edo informazio gehiago eman nahi baduzu, jarri robosatekin harremanetan. Ez baduzu kontaktu metodo bat eman edo ez bazaude ziur ondo idatzi duzun, idatzi berehala.",
"You have won the dispute": "Eztabaida irabazi duzu",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Eztabaidaren ebazpen-kopurua jaso dezakezu (fidantza eta kolaterala) zure profileko sarien atalean. Langileek egin dezaketen beste zerbait badago, ez izan zalantzarik harremanetan jartzeko robosat@protonmail.com bidez (edo zure behin erabiltzeko metodoarekin).",
"You have lost the dispute": "Eztabaida galdu duzu",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Tamalez, eztabaida galdu duzu. Akatsen bat dagoela uste baduzu kasua berriz ere irekitzea eska dezakezu robosats@protonmail.com helbidera idatziz. Hala ere, berriro ikertzeko aukerak eskasak dira.",
"Expired not taken": "Hartua gabe iraungi da",
"Maker bond not locked": "Egilearen fidantza ez da blokeatu",
"Escrow not locked": "Gordailua ez da blokeatu",
"Invoice not submitted": "Faktura ez da bidali",
"Neither escrow locked or invoice submitted": "Gordailurik ez da blokeatu eta fakturarik ez da jaso",
"Renew Order": "Eskaera Berritu",
"Pause the public order": "Eskaera publikoa eten",
"Your order is paused": "Zure eskaera etenaldian dago",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Zure ordena publikoa eten egin da. Oraingoz beste robot batzuek ezin dute ez ikusi ez hartu. Noiznahi aktibatu dezakezu.",
"Unpause Order": "Eskaera berriz ezarri",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Zure fidantza galtzea arriskatzen duzu kolaterala ez baduzu blokeatzen. Geratzen den denbora ondorengoa da: {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Begiratu Kartera Bateragarriak",
"Failure reason:": "Akatsaren arrazoia:",
"Payment isn't failed (yet)": "Ordainketak ez du huts egin (oraindik)",
"There are more routes to try, but the payment timeout was exceeded.": "Bide gehiago daude saiatzeko, baina ordaintzeko epea gainditu da.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Bide posible guztiak probatu dira eta etengabe huts egin dute. Edo agian ez zegoen bide posiblerik.",
"A non-recoverable error has occurred.": "Akats berreskuraezin bat gertatu da.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Ordainketa xehetasunak okerrak dira (hash ezezaguna, kopuru okerra edo azken CLTV delta baliogabea).",
"Insufficient unlocked balance in RoboSats' node.": "Ez dago balantze libre nahikoa RoboSatsen nodoan.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "Aurkeztutako fakturak bide-aztarna garestiak besterik ez ditu, kartera bateraezin bat erabiltzen ari zara (ziurrenik Muun?). Egiaztatu karteraren bateragarritasun gida wallets.robosats.com helbidean",
"The invoice provided has no explicit amount": "Aurkeztutako fakturak ez du kopuru espliziturik",
"Does not look like a valid lightning invoice": "Ez dirudi lightning faktura onargarri bat denik",
"The invoice provided has already expired": "Aurkeztutako faktura dagoeneko iraungi da",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Ziurtatu txata ESPORTATU duzula. Baliteke langileek zure txat log JSON esportatua eskatzea desadostasunak konpontzeko. Zure ardura da gordetzea.",
"Does not look like a valid address": "Ez dirudi helbide onargarri bat denik",
"This is not a bitcoin mainnet address": "Hau ez da bitcoin mainnet helbide bat",
"This is not a bitcoin testnet address": "Hau ez da bitcoin testnet helbide bat",
"Submit payout info for {{amountSats}} Sats": "Bidali {{amountSats}} Satoshiko ordainketa informazioa",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Bidali {{amountSats}} Satoshiko baliozko faktura bat.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "{{amountFiat}} {{currencyCode}} bidaltzea baimendu aurretik, ziurtatu nahi dugu BTC jaso dezakezula.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSatsek swap bat egingo du eta Satoshiak zure onchain helbidera bidaliko ditu.",
"Swap fee": "Swap kuota",
"Mining fee": "Meatzaritza kuota",
"Mining Fee": "Meatzaritza Kuota",
"Final amount you will receive": "Jasoko duzun azken kopurua",
"Bitcoin Address": "Bitcoin Helbidea",
"Your TXID": "Zure TXID",
"Lightning": "Lightning",
"Onchain": "Onchain",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Itxi",
"What is RoboSats?":"Zer da RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"BTC/FIAT P2P trukaketa bat da lightningen gainean.",
"RoboSats is an open source project ":"RoboSats kode irekiko proiektu bat da ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Parekatzea sinplifikatzen du eta konfiantza beharra minimizatzen du. RoboSats pribatutasunean eta abiaduran zentratzen da.",
"(GitHub).":"(GitHub).",
"How does it work?":"Nola funtzionatzen du?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01ek bitcoina saldu nahi du. Salmenta eskaera bat ezartzen du. BafflingBob02k bitcoina erosi nahi du eta Aliceren agindua onartzen du. Biek fidantza txiki bat jarri behar dute lightning erabiliz benetako robotak direla frogatzeko. Orduan Alicek kolaterala jartzen du lightning faktura bat erabiliz. RoboSatsek faktura blokeatzen du Alicek fiata jaso duela baieztatu arte. Orduan, satoshiak desblokeatu eta Bobi bidaltzen zaizkio. Gozatu zure satoshiez, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"AnonymousAlice01ek eta BafflingBob02k ez dituzte inoiz bitcoin funtsak elkarren esku utzi behar. Gatazka bat baldin badute, RoboSatseko langileek gatazka ebazten lagunduko dute.",
"You can find a step-by-step description of the trade pipeline in ":"Salerosketaren pausoz-pausoko deskribapen bat aurki dezakezu ondorengo helbidean ",
"How it works":"Nola dabilen",
"You can also check the full guide in ":"Gida oso ere hemen aurki dezakezu ",
"How to use":"Nola erabili",
"What payment methods are accepted?":"Zein ordainketa modu onartzen dira?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Denak bizkorrak diren bitartean. Idatzi zure ordainketa-metodoa(k). Metodo hori onartzen duen parearekin bat egin beharko duzu. Fiat trukatzeko urratsak 24 orduko epea du eztabaida automatikoki ireki aurretik. Gomendatzen dugu berehalako fiat ordainketa moduak erabiltzea.",
"Are there trade limits?":"Ba al dago salerosketa mugarik?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Selerosketa muga {{maxAmount}} Satoshikoa da lightning bideratze arazoak minimizatzeko. Ez dago mugarik eguneko salerosketen kopuruan. Robot batek agindu bakarra izan dezake aldi bakoitzean. Hala ere, robot anitzak erabil ditzakezu aldi berean nabigatzaile desberdinetan (gogoratu zure robotaren tokenak gordetzea!).",
"Is RoboSats private?":"RoboSats pribatua da?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSatsek ez dizu inoiz zure izena, aberria edo nortasun agiria eskatuko. RoboSatsek ez ditu zure funtsak zaintzen eta berdin dio nor zaren. RoboSatsek ez du datu pertsonalik jasotzen edo gordetzen. Anonimatu onena izateko Tor Browser erabili eta .onion zerbitzu ezkutu bidez sartu.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Zure parea da zutaz zerbait asmatzeko gai den bakarra. Mantendu elkarrizketa labur eta zehatza. Behar-beharrezkoa ez den informaziorik ez eman, ez bada fiat ordainketaren xehetasunentzako.",
"What are the risks?":"Zein dira arriskuak?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Aplikazio esperimental bat da, gauzak okertu daitezke. Kopuru txikiak trukatu!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Saltzaileak edozein P2P zerbitzuren itzultze-arrisku berak ditu. PayPal edo kreditu txartelak ez dira gomendagarriak.",
"What is the trust model?":"Zein da konfiantza eredua?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Erosleak eta saltzaileak ez dute inoiz elkarrenganako konfiantzarik izan behar. RoboSatsen konfiantza apur bat behar da, izan ere saltzailearen fakturaren eta eroslearen ordainketaren lotura ez da atomikoa (oraindik). Gainera, eztabaidak RoboSatseko langileek konpontzen dituzte.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Garbi hitz egiteko. Konfiantza baldintzak minimizatzen dira. Hala ere, oraindik bada modu bat non RoboSatsek ihes egin dezakeen zure satoshiekin: erosleari satoshiak ez igorriaz. Esan liteke mugimendu hori ez dela interesgarria RoboSatsentzat, ordainketa txiki batengatik ospea kaltetuko bailuke. Hala ere, kontuz ibili beharko zenuke eta kopuru txikiak bakarrik trukatu. Kantitate handietarako, erabili Bisq moduko onchain gordailu zerbitzuak",
"You can build more trust on RoboSats by inspecting the source code.":"RoboSatsengan konfiantza handiagoa izan dezakezu kode iturburua aztertuz.",
"Project source code":"Proiektuaren kode iturburua",
"What happens if RoboSats suddenly disappears?":"Zer gertatzen da RoboSats bat-batean desagertzen bada?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Zure satoshiak zuregana itzuliko dira. Ebatzita ez dagoen edozein faktura automatikoki itzuliko litzateke RoboSats betiko eroriko balitz ere. Hau horrela da bai fidantza eta baita gordailuentzat ere. Hala ere, leiho txiki bat dago saltzaileak FIAT JASOA berresten duen eta erosleak satoshiak jasotzen dituen momentuaren artean, zeinetan funtsak galdu ahal izango liratekeen RoboSats desagertuz gero. Leiho hau segundo batekoa da. Ziurtatu sarrerako likidezia nahikoa izatea akatsak saihesteko. Arazorik baduzu, jarri gurekin harremanetan RoboSats kanal publikoen bitartez.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"Herrialde askotan, RoboSats ez da Ebay edo Craiglist erabiltzearen ezberdina. Zure araudia alda daiteke. Zure ardura da betetzea.",
"Is RoboSats legal in my country?":"RoboSats legezkoa da nire herrialdean?",
"Disclaimer":"Legezko abisua",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Lightning aplikazio hau etengabe garatzen ari da eta bere horretan entregatzen da: kontu handiz egin trukeak. Ez dago euskarri pribaturik. Euskarria kanal publikoetan bakarrik eskaintzen da ",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats ez da zurekin harremanetan jarriko. RoboSatsek ez dizu inoiz eskatuko zure robot tokena."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Itxi",
"What is RoboSats?": "Zer da RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "BTC/FIAT P2P trukaketa bat da lightningen gainean.",
"RoboSats is an open source project ": "RoboSats kode irekiko proiektu bat da ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Parekatzea sinplifikatzen du eta konfiantza beharra minimizatzen du. RoboSats pribatutasunean eta abiaduran zentratzen da.",
"(GitHub).": "(GitHub).",
"How does it work?": "Nola funtzionatzen du?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01ek bitcoina saldu nahi du. Salmenta eskaera bat ezartzen du. BafflingBob02k bitcoina erosi nahi du eta Aliceren agindua onartzen du. Biek fidantza txiki bat jarri behar dute lightning erabiliz benetako robotak direla frogatzeko. Orduan Alicek kolaterala jartzen du lightning faktura bat erabiliz. RoboSatsek faktura blokeatzen du Alicek fiata jaso duela baieztatu arte. Orduan, satoshiak desblokeatu eta Bobi bidaltzen zaizkio. Gozatu zure satoshiez, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "AnonymousAlice01ek eta BafflingBob02k ez dituzte inoiz bitcoin funtsak elkarren esku utzi behar. Gatazka bat baldin badute, RoboSatseko langileek gatazka ebazten lagunduko dute.",
"You can find a step-by-step description of the trade pipeline in ": "Salerosketaren pausoz-pausoko deskribapen bat aurki dezakezu ondorengo helbidean ",
"How it works": "Nola dabilen",
"You can also check the full guide in ": "Gida oso ere hemen aurki dezakezu ",
"How to use": "Nola erabili",
"What payment methods are accepted?": "Zein ordainketa modu onartzen dira?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Denak bizkorrak diren bitartean. Idatzi zure ordainketa-metodoa(k). Metodo hori onartzen duen parearekin bat egin beharko duzu. Fiat trukatzeko urratsak 24 orduko epea du eztabaida automatikoki ireki aurretik. Gomendatzen dugu berehalako fiat ordainketa moduak erabiltzea.",
"Are there trade limits?": "Ba al dago salerosketa mugarik?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Selerosketa muga {{maxAmount}} Satoshikoa da lightning bideratze arazoak minimizatzeko. Ez dago mugarik eguneko salerosketen kopuruan. Robot batek agindu bakarra izan dezake aldi bakoitzean. Hala ere, robot anitzak erabil ditzakezu aldi berean nabigatzaile desberdinetan (gogoratu zure robotaren tokenak gordetzea!).",
"Is RoboSats private?": "RoboSats pribatua da?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSatsek ez dizu inoiz zure izena, aberria edo nortasun agiria eskatuko. RoboSatsek ez ditu zure funtsak zaintzen eta berdin dio nor zaren. RoboSatsek ez du datu pertsonalik jasotzen edo gordetzen. Anonimatu onena izateko Tor Browser erabili eta .onion zerbitzu ezkutu bidez sartu.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Zure parea da zutaz zerbait asmatzeko gai den bakarra. Mantendu elkarrizketa labur eta zehatza. Behar-beharrezkoa ez den informaziorik ez eman, ez bada fiat ordainketaren xehetasunentzako.",
"What are the risks?": "Zein dira arriskuak?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Aplikazio esperimental bat da, gauzak okertu daitezke. Kopuru txikiak trukatu!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Saltzaileak edozein P2P zerbitzuren itzultze-arrisku berak ditu. PayPal edo kreditu txartelak ez dira gomendagarriak.",
"What is the trust model?": "Zein da konfiantza eredua?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Erosleak eta saltzaileak ez dute inoiz elkarrenganako konfiantzarik izan behar. RoboSatsen konfiantza apur bat behar da, izan ere saltzailearen fakturaren eta eroslearen ordainketaren lotura ez da atomikoa (oraindik). Gainera, eztabaidak RoboSatseko langileek konpontzen dituzte.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Garbi hitz egiteko. Konfiantza baldintzak minimizatzen dira. Hala ere, oraindik bada modu bat non RoboSatsek ihes egin dezakeen zure satoshiekin: erosleari satoshiak ez igorriaz. Esan liteke mugimendu hori ez dela interesgarria RoboSatsentzat, ordainketa txiki batengatik ospea kaltetuko bailuke. Hala ere, kontuz ibili beharko zenuke eta kopuru txikiak bakarrik trukatu. Kantitate handietarako, erabili Bisq moduko onchain gordailu zerbitzuak",
"You can build more trust on RoboSats by inspecting the source code.": "RoboSatsengan konfiantza handiagoa izan dezakezu kode iturburua aztertuz.",
"Project source code": "Proiektuaren kode iturburua",
"What happens if RoboSats suddenly disappears?": "Zer gertatzen da RoboSats bat-batean desagertzen bada?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Zure satoshiak zuregana itzuliko dira. Ebatzita ez dagoen edozein faktura automatikoki itzuliko litzateke RoboSats betiko eroriko balitz ere. Hau horrela da bai fidantza eta baita gordailuentzat ere. Hala ere, leiho txiki bat dago saltzaileak FIAT JASOA berresten duen eta erosleak satoshiak jasotzen dituen momentuaren artean, zeinetan funtsak galdu ahal izango liratekeen RoboSats desagertuz gero. Leiho hau segundo batekoa da. Ziurtatu sarrerako likidezia nahikoa izatea akatsak saihesteko. Arazorik baduzu, jarri gurekin harremanetan RoboSats kanal publikoen bitartez.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "Herrialde askotan, RoboSats ez da Ebay edo Craiglist erabiltzearen ezberdina. Zure araudia alda daiteke. Zure ardura da betetzea.",
"Is RoboSats legal in my country?": "RoboSats legezkoa da nire herrialdean?",
"Disclaimer": "Legezko abisua",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Lightning aplikazio hau etengabe garatzen ari da eta bere horretan entregatzen da: kontu handiz egin trukeak. Ez dago euskarri pribaturik. Euskarria kanal publikoetan bakarrik eskaintzen da ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats ez da zurekin harremanetan jarriko. RoboSatsek ez dizu inoiz eskatuko zure robot tokena."
}

View File

@ -3,363 +3,357 @@
"You are not using RoboSats privately": "Vous n'utilisez pas RoboSats en privé",
"desktop_unsafe_alert": "Certaines fonctionnalités sont désactivées pour votre protection (e.g, le chat) et vous ne pourrez pas effectuer une transaction sans elles. Pour protéger votre vie privée et activer pleinement RoboSats, utilisez <1>Tor Browser</1> et visitez le site <3>Onion</3>.",
"phone_unsafe_alert": "Vous ne serez pas en mesure d'effectuer un échange. Utilisez <1>Tor Browser</1> et visitez le site <3>Onion</3>.",
"Hide":"Cacher",
"Hide": "Cacher",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Echange LN P2P simple et privé",
"This is your trading avatar":"Ceci est votre avatar d'échange",
"Store your token safely":"Stockez votre jeton en sécurité",
"A robot avatar was found, welcome back!":"Un avatar de robot a été trouvé, bienvenu",
"Copied!":"Copié!",
"Generate a new token":"Générer un nouveau jeton",
"Generate Robot":"Générer un robot",
"You must enter a new token first":"Vous devez d'abord saisir un nouveau jeton",
"Make Order":"Créer un ordre",
"Info":"Info",
"View Book":"Voir livre",
"This is your trading avatar": "Ceci est votre avatar d'échange",
"Store your token safely": "Stockez votre jeton en sécurité",
"A robot avatar was found, welcome back!": "Un avatar de robot a été trouvé, bienvenu",
"Copied!": "Copié!",
"Generate a new token": "Générer un nouveau jeton",
"Generate Robot": "Générer un robot",
"You must enter a new token first": "Vous devez d'abord saisir un nouveau jeton",
"Make Order": "Créer un ordre",
"Info": "Info",
"View Book": "Voir livre",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Ordre",
"Customize":"Personnaliser",
"Buy or Sell Bitcoin?":"Acheter ou vendre bitcoin?",
"Buy":"Acheter",
"Sell":"Vendre",
"Amount":"Montant",
"Amount of fiat to exchange for bitcoin":"Montant de fiat à échanger contre bitcoin",
"Invalid":"Invalide",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Entrez vos modes de paiement fiat préférées. Les modes rapides sont fortement recommandées.",
"Must be shorter than 65 characters":"Doit être plus court que 65 caractères",
"Swap Destination(s)":"Destination(s) de l'échange",
"Fiat Payment Method(s)":"Mode(s) de paiement Fiat",
"You can add any method":"Vous pouvez ajouter n'importe quel mode",
"Add New":"Ajouter nouveau",
"Choose a Pricing Method":"Choisir un mode de tarification",
"Relative":"Relative",
"Let the price move with the market":"Laisser le prix évoluer avec le marché",
"Premium over Market (%)":"Prime sur le marché (%)",
"Explicit":"Explicite",
"Set a fix amount of satoshis":"Fixer un montant fixe de satoshis",
"Satoshis":"Satoshis",
"Let the taker chose an amount within the range":"Laisser le preneur choisir un montant dans la fourchette",
"Enable Amount Range":"Activer la plage de montants",
"Order": "Ordre",
"Customize": "Personnaliser",
"Buy or Sell Bitcoin?": "Acheter ou vendre bitcoin?",
"Buy": "Acheter",
"Sell": "Vendre",
"Amount": "Montant",
"Amount of fiat to exchange for bitcoin": "Montant de fiat à échanger contre bitcoin",
"Invalid": "Invalide",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Entrez vos modes de paiement fiat préférées. Les modes rapides sont fortement recommandées.",
"Must be shorter than 65 characters": "Doit être plus court que 65 caractères",
"Swap Destination(s)": "Destination(s) de l'échange",
"Fiat Payment Method(s)": "Mode(s) de paiement Fiat",
"You can add any method": "Vous pouvez ajouter n'importe quel mode",
"Add New": "Ajouter nouveau",
"Choose a Pricing Method": "Choisir un mode de tarification",
"Relative": "Relative",
"Let the price move with the market": "Laisser le prix évoluer avec le marché",
"Premium over Market (%)": "Prime sur le marché (%)",
"Explicit": "Explicite",
"Set a fix amount of satoshis": "Fixer un montant fixe de satoshis",
"Satoshis": "Satoshis",
"Let the taker chose an amount within the range": "Laisser le preneur choisir un montant dans la fourchette",
"Enable Amount Range": "Activer la plage de montants",
"From": "De",
"to":"à",
"Public Duration (HH:mm)":"Durée publique (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Définissez la peau en jeu, augmentez pour une meilleure assurance de sécurité",
"Fidelity Bond Size":"Taille de la garantie de fidélité",
"Allow bondless takers":"Autoriser les preneurs sans caution",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"BIENTÔT DISPONIBLE - Haut risque! Limité à {{limitSats}}K Sats",
"You must fill the order correctly":"Vous devez remplir l'ordre correctement",
"Create Order":"Créer un ordre",
"Back":"Retour",
"Create a BTC buy order for ":"Créer un ordre d'achat en BTC pour ",
"Create a BTC sell order for ":"Créer un ordre de vente de BTC pour ",
" of {{satoshis}} Satoshis":" de {{satoshis}} Satoshis",
" at market price":" au prix du marché",
" at a {{premium}}% premium":" à une prime de {{premium}}%",
" at a {{discount}}% discount":" à une remise de {{discount}}%",
"Must be less than {{max}}%":"Doit être moins que {{max}}%",
"Must be more than {{min}}%":"Doit être plus que {{min}}%",
"to": "à",
"Public Duration (HH:mm)": "Durée publique (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Définissez la peau en jeu, augmentez pour une meilleure assurance de sécurité",
"Fidelity Bond Size": "Taille de la garantie de fidélité",
"Allow bondless takers": "Autoriser les preneurs sans caution",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "BIENTÔT DISPONIBLE - Haut risque! Limité à {{limitSats}}K Sats",
"You must fill the order correctly": "Vous devez remplir l'ordre correctement",
"Create Order": "Créer un ordre",
"Back": "Retour",
"Create a BTC buy order for ": "Créer un ordre d'achat en BTC pour ",
"Create a BTC sell order for ": "Créer un ordre de vente de BTC pour ",
" of {{satoshis}} Satoshis": " de {{satoshis}} Satoshis",
" at market price": " au prix du marché",
" at a {{premium}}% premium": " à une prime de {{premium}}%",
" at a {{discount}}% discount": " à une remise de {{discount}}%",
"Must be less than {{max}}%": "Doit être moins que {{max}}%",
"Must be more than {{min}}%": "Doit être plus que {{min}}%",
"Must be less than {{maxSats}": "Doit être moins que {{maxSats}}",
"Must be more than {{minSats}}": "Doit être plus que {{minSats}}",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Non spécifié",
"Instant SEPA":"Instant SEPA",
"Amazon GiftCard":"Carte cadeau Amazon",
"Google Play Gift Code":"Code cadeau Google Play",
"Cash F2F":"En espèces face-à-face",
"On-Chain BTC":"BTC on-Chain",
"not specified": "Non spécifié",
"Instant SEPA": "Instant SEPA",
"Amazon GiftCard": "Carte cadeau Amazon",
"Google Play Gift Code": "Code cadeau Google Play",
"Cash F2F": "En espèces face-à-face",
"On-Chain BTC": "BTC on-Chain",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Vendeur",
"Buyer": "Acheteur",
"I want to": "Je veux",
"Select Order Type": "Sélectionner le type d'ordre",
"ANY_type": "TOUT",
"ANY_currency": "TOUT",
"BUY": "ACHETER",
"SELL": "VENDRE",
"and receive": "et recevoir",
"and pay with": "et payer avec",
"and use": "et utiliser",
"Select Payment Currency": "Sélectionner la devise de paiement",
"Robot": "Robot",
"Is": "Est",
"Currency": "Devise",
"Payment Method": "Mode de paiement",
"Pay": "Payer",
"Price": "Prix",
"Premium": "Prime",
"You are SELLING BTC for {{currencyCode}}": "Vous VENDEZ des BTC pour {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Vous ACHETEZ des BTC pour {{currencyCode}}",
"You are looking at all": "Vous regardez tout",
"No orders found to sell BTC for {{currencyCode}}": "Aucun ordre trouvé pour vendre des BTC pour {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Aucun ordre trouvé pour acheter des BTC pour {{currencyCode}}",
"Be the first one to create an order": "Soyez le premier à créer un ordre",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Vendeur",
"Buyer":"Acheteur",
"I want to":"Je veux",
"Select Order Type":"Sélectionner le type d'ordre",
"ANY_type":"TOUT",
"ANY_currency":"TOUT",
"BUY":"ACHETER",
"SELL":"VENDRE",
"and receive":"et recevoir",
"and pay with":"et payer avec",
"and use":"et utiliser",
"Select Payment Currency":"Sélectionner la devise de paiement",
"Robot":"Robot",
"Is":"Est",
"Currency":"Devise",
"Payment Method":"Mode de paiement",
"Pay":"Payer",
"Price":"Prix",
"Premium":"Prime",
"You are SELLING BTC for {{currencyCode}}":"Vous VENDEZ des BTC pour {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"Vous ACHETEZ des BTC pour {{currencyCode}}",
"You are looking at all":"Vous regardez tout",
"No orders found to sell BTC for {{currencyCode}}":"Aucun ordre trouvé pour vendre des BTC pour {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"Aucun ordre trouvé pour acheter des BTC pour {{currencyCode}}",
"Be the first one to create an order":"Soyez le premier à créer un ordre",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Stats pour des geeks",
"LND version":"Version",
"Currently running commit hash":"Hachage de la version en cours",
"24h contracted volume":"Volume contracté en 24h",
"Lifetime contracted volume":"Volume contracté total",
"Made with":"Construit avec",
"and":"et",
"... somewhere on Earth!":"... quelque part sur Terre!",
"Community":"Communauté",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Le support est uniquement offert via des canaux publics. Rejoignez notre communauté Telegram si vous avez des questions ou si vous voulez passer du temps avec d'autres robots sympas. Utilisez notre Github pour notifier un bug ou si vous voulez voir de nouvelles fonctionnalités!",
"Join the RoboSats group":"Rejoignez le groupe RoboSats",
"Telegram (English / Main)":"Telegram (Anglais / Principal)",
"RoboSats Telegram Communities":"Communautés Telegram RoboSats",
"Join RoboSats Spanish speaking community!":"Rejoignez la communauté hispanophone de RoboSats!",
"Join RoboSats Russian speaking community!":"Rejoignez la communauté russophone de RoboSats!",
"Join RoboSats Chinese speaking community!":"Rejoignez la communauté chinoise de RoboSats!",
"Join RoboSats English speaking community!":"Rejoignez la communauté anglophone de RoboSats!",
"Tell us about a new feature or a bug":"Parlez-nous d'une nouvelle fonctionnalité ou d'un bug",
"Github Issues - The Robotic Satoshis Open Source Project":"Sujets de Github - Le Projet Open Source des Satoshis Robotiques",
"Your Profile":"Votre profil",
"Your robot":"Votre robot",
"One active order #{{orderID}}":"Un ordre active #{{orderID}}",
"Your current order":"Votre ordre en cours",
"No active orders":"Aucun ordre actif",
"Your token (will not remain here)":"Votre jeton (ne restera pas ici)",
"Back it up!":"Sauvegardez!",
"Cannot remember":"Impossible de se souvenir",
"Rewards and compensations":"Récompenses et compensations",
"Share to earn 100 Sats per trade":"Partagez pour gagner 100 Sats par transaction",
"Your referral link":"Votre lien de parrainage",
"Your earned rewards":"Vos récompenses gagnées",
"Claim":"Réclamer",
"Invoice for {{amountSats}} Sats":"Facture pour {{amountSats}} Sats",
"Submit":"Soumettre",
"There it goes, thank you!🥇":"C'est parti, merci!🥇",
"You have an active order":"Vous avez un ordre actif",
"You can claim satoshis!":"Vous pouvez réclamer des satoshis!",
"Public Buy Orders":"Ordres d'achat publics",
"Public Sell Orders":"Ordres de vente publics",
"Today Active Robots":"Robots actifs aujourd'hui",
"24h Avg Premium":"Prime moyenne sur 24h",
"Trade Fee":"Frais de transaction",
"Show community and support links":"Afficher les liens de la communauté et du support",
"Show stats for nerds":"Afficher les stats pour les geeks",
"Exchange Summary":"Résumé de l'échange",
"Public buy orders":"Ordres d'achat publics",
"Public sell orders":"Ordres de vente publics",
"Book liquidity":"Liquidité du livre",
"Today active robots":"Robots actifs aujourd'hui",
"24h non-KYC bitcoin premium":"Prime bitcoin non-KYC 24h",
"Maker fee":"Frais du createur",
"Taker fee":"Frais du preneur",
"Number of public BUY orders":"Nombre d'ordres d'ACHAT publics",
"Number of public SELL orders":"Nombre d'ordres de VENTE publics",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Stats pour des geeks",
"LND version": "Version",
"Currently running commit hash": "Hachage de la version en cours",
"24h contracted volume": "Volume contracté en 24h",
"Lifetime contracted volume": "Volume contracté total",
"Made with": "Construit avec",
"and": "et",
"... somewhere on Earth!": "... quelque part sur Terre!",
"Community": "Communauté",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Le support est uniquement offert via des canaux publics. Rejoignez notre communauté Telegram si vous avez des questions ou si vous voulez passer du temps avec d'autres robots sympas. Utilisez notre Github pour notifier un bug ou si vous voulez voir de nouvelles fonctionnalités!",
"Join the RoboSats group": "Rejoignez le groupe RoboSats",
"Telegram (English / Main)": "Telegram (Anglais / Principal)",
"RoboSats Telegram Communities": "Communautés Telegram RoboSats",
"Join RoboSats Spanish speaking community!": "Rejoignez la communauté hispanophone de RoboSats!",
"Join RoboSats Russian speaking community!": "Rejoignez la communauté russophone de RoboSats!",
"Join RoboSats Chinese speaking community!": "Rejoignez la communauté chinoise de RoboSats!",
"Join RoboSats English speaking community!": "Rejoignez la communauté anglophone de RoboSats!",
"Tell us about a new feature or a bug": "Parlez-nous d'une nouvelle fonctionnalité ou d'un bug",
"Github Issues - The Robotic Satoshis Open Source Project": "Sujets de Github - Le Projet Open Source des Satoshis Robotiques",
"Your Profile": "Votre profil",
"Your robot": "Votre robot",
"One active order #{{orderID}}": "Un ordre active #{{orderID}}",
"Your current order": "Votre ordre en cours",
"No active orders": "Aucun ordre actif",
"Your token (will not remain here)": "Votre jeton (ne restera pas ici)",
"Back it up!": "Sauvegardez!",
"Cannot remember": "Impossible de se souvenir",
"Rewards and compensations": "Récompenses et compensations",
"Share to earn 100 Sats per trade": "Partagez pour gagner 100 Sats par transaction",
"Your referral link": "Votre lien de parrainage",
"Your earned rewards": "Vos récompenses gagnées",
"Claim": "Réclamer",
"Invoice for {{amountSats}} Sats": "Facture pour {{amountSats}} Sats",
"Submit": "Soumettre",
"There it goes, thank you!🥇": "C'est parti, merci!🥇",
"You have an active order": "Vous avez un ordre actif",
"You can claim satoshis!": "Vous pouvez réclamer des satoshis!",
"Public Buy Orders": "Ordres d'achat publics",
"Public Sell Orders": "Ordres de vente publics",
"Today Active Robots": "Robots actifs aujourd'hui",
"24h Avg Premium": "Prime moyenne sur 24h",
"Trade Fee": "Frais de transaction",
"Show community and support links": "Afficher les liens de la communauté et du support",
"Show stats for nerds": "Afficher les stats pour les geeks",
"Exchange Summary": "Résumé de l'échange",
"Public buy orders": "Ordres d'achat publics",
"Public sell orders": "Ordres de vente publics",
"Book liquidity": "Liquidité du livre",
"Today active robots": "Robots actifs aujourd'hui",
"24h non-KYC bitcoin premium": "Prime bitcoin non-KYC 24h",
"Maker fee": "Frais du createur",
"Taker fee": "Frais du preneur",
"Number of public BUY orders": "Nombre d'ordres d'ACHAT publics",
"Number of public SELL orders": "Nombre d'ordres de VENTE publics",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Ordres",
"Contract":"Contrat",
"Active":"Actif",
"Seen recently":"Vu récemment",
"Inactive":"Inactif",
"(Seller)":"(Vendeur)",
"(Buyer)":"(Acheteur)",
"Order maker":"Createur d'ordre",
"Order taker":"Preneur d'ordre",
"Order Details":"Détails de l'ordre",
"Order status":"Etat de l'ordre",
"Waiting for maker bond":"En attente de la caution du createur",
"Public":"Public",
"Waiting for taker bond":"En attente de la caution du preneur",
"Cancelled":"Annulé",
"Expired":"Expiré",
"Waiting for trade collateral and buyer invoice":"En attente de la garantie et de la facture de l'acheteur",
"Waiting only for seller trade collateral":"N'attendant que la garantie du vendeur",
"Waiting only for buyer invoice":"N'attendant que la facture de l'acheteur",
"Sending fiat - In chatroom":"Envoi de fiat - Dans le salon de discussion",
"Fiat sent - In chatroom":"Fiat envoyée - Dans le salon de discussion",
"In dispute":"En litige",
"Collaboratively cancelled":"Annulé en collaboration",
"Sending satoshis to buyer":"Envoi de satoshis à l'acheteur",
"Sucessful trade":"Transaction réussie",
"Failed lightning network routing":"Échec de routage du réseau lightning",
"Wait for dispute resolution":"Attendre la résolution du litige",
"Maker lost dispute":"Le createur à perdu le litige",
"Taker lost dispute":"Le preneur à perdu le litige",
"Amount range":"Fourchette de montants",
"Swap destination":"Destination de l'échange",
"Accepted payment methods":"Modes de paiement acceptés",
"Others":"Autres",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Prime: {{premium}}%",
"Price and Premium":"Prix et prime",
"Amount of Satoshis":"Montant de Satoshis",
"Premium over market price":"Prime sur le prix du marché",
"Order ID":"ID de l'ordre",
"Expires in":"Expire en",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} demande une annulation collaborative",
"You asked for a collaborative cancellation":"Vous avez demandé une annulation collaborative",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Facture expirée. Vous n'avez pas confirmé la publication de l'ordre à temps. Faites un nouveau ordre.",
"This order has been cancelled by the maker":"Cette ordre a été annulée par le createur",
"Invoice expired. You did not confirm taking the order in time.":"La facture a expiré. Vous n'avez pas confirmé avoir pris l'ordre dans les temps.",
"Penalty lifted, good to go!":"Pénalité levée, vous pouvez y aller!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Vous ne pouvez pas encore prendre un ordre! Attendez {{timeMin}}m {{timeSec}}s",
"Too low":"Trop bas",
"Too high":"Trop haut",
"Enter amount of fiat to exchange for bitcoin":"Saisissez le montant de fiat à échanger contre des bitcoins",
"Amount {{currencyCode}}":"Montant {{currencyCode}}",
"You must specify an amount first":"Vous devez d'abord spécifier un montant",
"Take Order":"Prendre l'ordre",
"Wait until you can take an order":"Attendez jusqu'à ce que vous puissiez prendre un ordre",
"Cancel the order?":"Annuler l'ordre?",
"If the order is cancelled now you will lose your bond.":"Si l'ordre est annulé maintenant, vous perdrez votre caution",
"Confirm Cancel":"Confirmer l'annulation",
"The maker is away":"Le createur est absent",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"En prenant cette ordre, vous risquez de perdre votre temps. Si le créateur ne procède pas dans les temps, vous serez compensé en satoshis à hauteur de 50% de la caution du créateur.",
"Collaborative cancel the order?":"Annuler l'ordre en collaboration?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Le dépôt de transaction a été enregistré. L'ordre ne peut être annulé que si les deux parties, le createur et le preneur, sont d'accord pour l'annuler.",
"Ask for Cancel":"Demande d'annulation",
"Cancel":"Annuler",
"Collaborative Cancel":"Annulation collaborative",
"Invalid Order Id":"Id d'ordre invalide",
"You must have a robot avatar to see the order details":"Vous devez avoir un avatar de robot pour voir les détails de l'ordre",
"This order has been cancelled collaborativelly":"Cette ordre a été annulée en collaboration",
"You are not allowed to see this order":"Vous n'êtes pas autorisé à voir cette ordre",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Les Robots Satoshis travaillant dans l'entrepôt ne vous ont pas compris. Merci de remplir un probléme de bug en Github https://github.com/reckless-satoshi/robosats/issues",
"Order Box": "Ordres",
"Contract": "Contrat",
"Active": "Actif",
"Seen recently": "Vu récemment",
"Inactive": "Inactif",
"(Seller)": "(Vendeur)",
"(Buyer)": "(Acheteur)",
"Order maker": "Createur d'ordre",
"Order taker": "Preneur d'ordre",
"Order Details": "Détails de l'ordre",
"Order status": "Etat de l'ordre",
"Waiting for maker bond": "En attente de la caution du createur",
"Public": "Public",
"Waiting for taker bond": "En attente de la caution du preneur",
"Cancelled": "Annulé",
"Expired": "Expiré",
"Waiting for trade collateral and buyer invoice": "En attente de la garantie et de la facture de l'acheteur",
"Waiting only for seller trade collateral": "N'attendant que la garantie du vendeur",
"Waiting only for buyer invoice": "N'attendant que la facture de l'acheteur",
"Sending fiat - In chatroom": "Envoi de fiat - Dans le salon de discussion",
"Fiat sent - In chatroom": "Fiat envoyée - Dans le salon de discussion",
"In dispute": "En litige",
"Collaboratively cancelled": "Annulé en collaboration",
"Sending satoshis to buyer": "Envoi de satoshis à l'acheteur",
"Sucessful trade": "Transaction réussie",
"Failed lightning network routing": "Échec de routage du réseau lightning",
"Wait for dispute resolution": "Attendre la résolution du litige",
"Maker lost dispute": "Le createur à perdu le litige",
"Taker lost dispute": "Le preneur à perdu le litige",
"Amount range": "Fourchette de montants",
"Swap destination": "Destination de l'échange",
"Accepted payment methods": "Modes de paiement acceptés",
"Others": "Autres",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Prime: {{premium}}%",
"Price and Premium": "Prix et prime",
"Amount of Satoshis": "Montant de Satoshis",
"Premium over market price": "Prime sur le prix du marché",
"Order ID": "ID de l'ordre",
"Expires in": "Expire en",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} demande une annulation collaborative",
"You asked for a collaborative cancellation": "Vous avez demandé une annulation collaborative",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Facture expirée. Vous n'avez pas confirmé la publication de l'ordre à temps. Faites un nouveau ordre.",
"This order has been cancelled by the maker": "Cette ordre a été annulée par le createur",
"Invoice expired. You did not confirm taking the order in time.": "La facture a expiré. Vous n'avez pas confirmé avoir pris l'ordre dans les temps.",
"Penalty lifted, good to go!": "Pénalité levée, vous pouvez y aller!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Vous ne pouvez pas encore prendre un ordre! Attendez {{timeMin}}m {{timeSec}}s",
"Too low": "Trop bas",
"Too high": "Trop haut",
"Enter amount of fiat to exchange for bitcoin": "Saisissez le montant de fiat à échanger contre des bitcoins",
"Amount {{currencyCode}}": "Montant {{currencyCode}}",
"You must specify an amount first": "Vous devez d'abord spécifier un montant",
"Take Order": "Prendre l'ordre",
"Wait until you can take an order": "Attendez jusqu'à ce que vous puissiez prendre un ordre",
"Cancel the order?": "Annuler l'ordre?",
"If the order is cancelled now you will lose your bond.": "Si l'ordre est annulé maintenant, vous perdrez votre caution",
"Confirm Cancel": "Confirmer l'annulation",
"The maker is away": "Le createur est absent",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "En prenant cette ordre, vous risquez de perdre votre temps. Si le créateur ne procède pas dans les temps, vous serez compensé en satoshis à hauteur de 50% de la caution du créateur.",
"Collaborative cancel the order?": "Annuler l'ordre en collaboration?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Le dépôt de transaction a été enregistré. L'ordre ne peut être annulé que si les deux parties, le createur et le preneur, sont d'accord pour l'annuler.",
"Ask for Cancel": "Demande d'annulation",
"Cancel": "Annuler",
"Collaborative Cancel": "Annulation collaborative",
"Invalid Order Id": "Id d'ordre invalide",
"You must have a robot avatar to see the order details": "Vous devez avoir un avatar de robot pour voir les détails de l'ordre",
"This order has been cancelled collaborativelly": "Cette ordre a été annulée en collaboration",
"You are not allowed to see this order": "Vous n'êtes pas autorisé à voir cette ordre",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Les Robots Satoshis travaillant dans l'entrepôt ne vous ont pas compris. Merci de remplir un probléme de bug en Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Vous",
"Peer":"Pair",
"connected":"connecté",
"disconnected":"déconnecté",
"Type a message":"Ecrivez un message",
"Connecting...":"Connexion...",
"Send":"Envoyer",
"The chat has no memory: if you leave, messages are lost.":"Le chat n'a pas de mémoire : si vous le quittez, les messages sont perdus.",
"Learn easy PGP encryption.":"Apprenez facilement le cryptage PGP.",
"PGP_guide_url":"https://learn.robosats.com/docs/pgp-encryption/",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Vous",
"Peer": "Pair",
"connected": "connecté",
"disconnected": "déconnecté",
"Type a message": "Ecrivez un message",
"Connecting...": "Connexion...",
"Send": "Envoyer",
"The chat has no memory: if you leave, messages are lost.": "Le chat n'a pas de mémoire : si vous le quittez, les messages sont perdus.",
"Learn easy PGP encryption.": "Apprenez facilement le cryptage PGP.",
"PGP_guide_url": "https://learn.robosats.com/docs/pgp-encryption/",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Boîte de contrat",
"Contract Box": "Boîte de contrat",
"Robots show commitment to their peers": "Les robots s'engagent auprès de leurs pairs",
"Lock {{amountSats}} Sats to PUBLISH order": "Blocker {{amountSats}} Sats à l'ordre PUBLIER",
"Lock {{amountSats}} Sats to TAKE order": "Blocker {{amountSats}} Sats à l'ordre PRENDRE",
"Lock {{amountSats}} Sats as collateral": "Blocker {{amountSats}} Sats en garantie",
"Copy to clipboard":"Copier dans le presse-papiers",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Cette facture est en attente, elle sera gelée dans votre portefeuille. Elle ne sera débitée que si vous annulez ou perdez un litige.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Cette facture est en attente, elle sera gelée dans votre portefeuille. Elle sera remise à l'acheteur une fois que vous aurez confirmé avoir reçu les {{currencyCode}}.",
"Your maker bond is locked":"Votre obligation de createur est bloquée",
"Your taker bond is locked":"Votre obligation de preneur est bloquée",
"Your maker bond was settled":"Votre obligation de createur a été réglée",
"Your taker bond was settled":"Votre obligation de preneur a été réglée",
"Your maker bond was unlocked":"Votre obligation de createur a été déverrouillée",
"Your taker bond was unlocked":"Votre obligation de preneur a été déverrouillée",
"Your order is public":"Votre ordre est publique",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{invoice_escrow_duration}} to reply. If you do not reply, you risk losing your bond.":"Soyez patient pendant que les robots vérifient le livre. Cette case sonnera 🔊 dès qu'un robot prendra votre ordre, puis vous aurez {{invoice_escrow_duration}} heures pour répondre. Si vous ne répondez pas, vous risquez de perdre votre caution",
"If the order expires untaken, your bond will return to you (no action needed).":"Si l'ordre expire sans être prise, votre caution vous sera rendue (aucune action n'est nécessaire).",
"Enable Telegram Notifications":"Activer les notifications Telegram",
"Enable TG Notifications":"Activer notifications TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Vous serez redirigé vers une conversation avec le robot telegram RoboSats. Il suffit d'ouvrir le chat et d'appuyer sur Start. Notez qu'en activant les notifications Telegram, vous risquez de réduire votre niveau d'anonymat.",
"Go back":"Retourner",
"Enable":"Activer",
"Telegram enabled":"Telegram activé",
"Public orders for {{currencyCode}}":"Ordres publics pour {{currencyCode}}",
"Copy to clipboard": "Copier dans le presse-papiers",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Cette facture est en attente, elle sera gelée dans votre portefeuille. Elle ne sera débitée que si vous annulez ou perdez un litige.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Cette facture est en attente, elle sera gelée dans votre portefeuille. Elle sera remise à l'acheteur une fois que vous aurez confirmé avoir reçu les {{currencyCode}}.",
"Your maker bond is locked": "Votre obligation de createur est bloquée",
"Your taker bond is locked": "Votre obligation de preneur est bloquée",
"Your maker bond was settled": "Votre obligation de createur a été réglée",
"Your taker bond was settled": "Votre obligation de preneur a été réglée",
"Your maker bond was unlocked": "Votre obligation de createur a été déverrouillée",
"Your taker bond was unlocked": "Votre obligation de preneur a été déverrouillée",
"Your order is public": "Votre ordre est publique",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{invoice_escrow_duration}} to reply. If you do not reply, you risk losing your bond.": "Soyez patient pendant que les robots vérifient le livre. Cette case sonnera 🔊 dès qu'un robot prendra votre ordre, puis vous aurez {{invoice_escrow_duration}} heures pour répondre. Si vous ne répondez pas, vous risquez de perdre votre caution",
"If the order expires untaken, your bond will return to you (no action needed).": "Si l'ordre expire sans être prise, votre caution vous sera rendue (aucune action n'est nécessaire).",
"Enable Telegram Notifications": "Activer les notifications Telegram",
"Enable TG Notifications": "Activer notifications TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Vous serez redirigé vers une conversation avec le robot telegram RoboSats. Il suffit d'ouvrir le chat et d'appuyer sur Start. Notez qu'en activant les notifications Telegram, vous risquez de réduire votre niveau d'anonymat.",
"Go back": "Retourner",
"Enable": "Activer",
"Telegram enabled": "Telegram activé",
"Public orders for {{currencyCode}}": "Ordres publics pour {{currencyCode}}",
"Premium rank": "Centile de prime",
"Among public {{currencyCode}} orders (higher is cheaper)": "Parmi les ordres publics en {{currencyCode}} (la plus élevée est la moins chère)",
"A taker has been found!":"Un preneur a été trouvé!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Veuillez attendre que le preneur verrouille une caution. Si le preneur ne verrouille pas la caution à temps, l'ordre sera rendue publique à nouveau",
"Submit an invoice for {{amountSats}} Sats":"Soumettre une facture pour {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.":"Le preneur est engagé! Avant de vous laisser envoyer {{amountFiat}} {{currencyCode}}, nous voulons nous assurer que vous êtes en mesure de recevoir le BTC. Veuillez fournir une facture valide de {{amountSats}} Satoshis.",
"Payout Lightning Invoice":"Facture lightning de paiement",
"Your invoice looks good!":"Votre facture est correcte!",
"We are waiting for the seller to lock the trade amount.":"Nous attendons que le vendeur verrouille le montant de la transaction.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Patientez un instant. Si le vendeur n'effectue pas de dépôt, vous récupérez automatiquement votre caution. En outre, vous recevrez une compensation (vérifiez les récompenses dans votre profil).",
"The trade collateral is locked!":"La garantie est verrouillée!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Nous attendons que l'acheteur dépose une facture lightning. Dès qu'il l'aura fait, vous pourrez communiquer directement les détails du paiement fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Patientez un instant. Si l'acheteur ne coopère pas, vous récupérez automatiquement le dépôt de garantie et votre caution. En outre, vous recevrez une compensation (vérifiez les récompenses dans votre profil).",
"Confirm {{amount}} {{currencyCode}} sent":"Confirmer l'envoi de {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received":"Confirmer la réception de {{amount}} {{currencyCode}}",
"Open Dispute":"Ouvrir litige",
"The order has expired":"L'ordre a expiré",
"Chat with the buyer":"Chat avec l'acheteur",
"Chat with the seller":"Chat avec le vendeur",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Dites bonjour! Soyez utile et concis. Faites-leur savoir comment vous envoyer les {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"L'acheteur a envoyé le fiat. Cliquez sur 'Confirmer la réception' dès que vous l'aurez reçu.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Dites bonjour! Demandez les détails du paiement et cliquez sur 'Confirmé envoyé' dès que le paiement est envoyé.",
"Wait for the seller to confirm he has received the payment.":"Attendez que le vendeur confirme qu'il a reçu le paiement.",
"Confirm you received {{amount}} {{currencyCode}}?":"Confirmez que vous avez reçu les {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Confirmer que vous avez reçu le fiat finalisera la transaction. Les satoshis dans le dépôt seront libérés à l'acheteur. Ne confirmez qu'après que les {{amount}} {{currencyCode}} soit arrivés sur votre compte. En outre, si vous avez reçu les {{currencyCode}} et que vous ne confirmez pas la réception, vous risquez de perdre votre caution.",
"Confirm":"Confirmer",
"Trade finished!":"Transaction terminée!",
"rate_robosats":"Que pensez-vous de <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Merci! RoboSats vous aime aussi ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats s'améliore avec plus de liquidité et d'utilisateurs. Parlez de Robosats à un ami bitcoiner!",
"Thank you for using Robosats!":"Merci d'utiliser Robosats!",
"let_us_know_hot_to_improve":"Faites-nous savoir comment la plateforme pourrait être améliorée (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Recommencer",
"Attempting Lightning Payment":"Tentative de paiement Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats tente de payer votre facture lightning. Rappelez-vous que les nœuds lightning doivent être en ligne pour recevoir des paiements.",
"Retrying!":"Nouvelle tentative!",
"Lightning Routing Failed":"Échec du routage Lightning",
"Your invoice has expired or more than 3 payment attempts have been made.":"Votre facture a expiré ou plus de 3 tentatives de paiement ont été effectuées. Le porte-monnaie Muun n'est pas recommandé.",
"Check the list of compatible wallets":"Vérifier la liste des portefeuilles compatibles",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats essaiera de payer votre facture 3 fois toutes les 1 minute. S'il continue à échouer, vous pourrez soumettre une nouvelle facture. Vérifiez si vous avez suffisamment de liquidité entrante. N'oubliez pas que les nœuds lightning doivent être en ligne pour pouvoir recevoir des paiements.",
"Next attempt in":"Prochaine tentative en",
"Do you want to open a dispute?":"Voulez-vous ouvrir un litige?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Le personnel de RoboSats examinera les déclarations et les preuves fournies. Vous devez constituer un dossier complet, car le personnel ne peut pas lire le chat. Il est préférable de fournir une méthode de contact jetable avec votre déclaration. Les satoshis dans le dépôt seront envoyés au gagnant du litige, tandis que le perdant du litige perdra la caution.",
"Disagree":"En désaccord",
"Agree and open dispute":"Accepter et ouvrir un litige",
"A dispute has been opened":"Un litige a été ouvert",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Veuillez soumettre votre déclaration. Soyez clair et précis sur ce qui s'est passé et fournissez les preuves nécessaires. Vous DEVEZ fournir une méthode de contact: email jetable, XMPP ou nom d'utilisateur telegram pour assurer le suivi avec le personnel. Les litiges sont résolus à la discrétion de vrais robots (alias humains), alors soyez aussi utile que possible pour assurer un résultat équitable. Max 5000 caractères.",
"Submit dispute statement":"Soumettre une déclaration de litige",
"We have received your statement":"Nous avons reçu votre déclaration",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Nous attendons la déclaration de votre partenaire commercial. Si vous avez des doutes sur l'état du litige ou si vous souhaitez ajouter des informations supplémentaires, contactez robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Veuillez enregistrer les informations nécessaires à l'identification de votre ordre et de vos paiements : ID de l'ordre; hachages de paiement des cautions ou des dépòts (vérifiez sur votre portefeuille lightning); montant exact des satoshis; et surnom du robot. Vous devrez vous identifier en tant qu'utilisateur impliqué dans cette transaction par e-mail (ou autres méthodes de contact).",
"We have the statements":"Nous avons les relevés",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Les deux déclarations ont été reçues, attendez que le personnel résolve le litige. Si vous avez des doutes sur l'état du litige ou si vous souhaitez ajouter des informations supplémentaires, contactez robosats@protonmail.com. Si vous n'avez pas fourni de méthode de contact, ou si vous n'êtes pas sûr de l'avoir bien écrit, écrivez-nous immédiatement.",
"You have won the dispute":"Vous avez gagné le litige",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Vous pouvez réclamer le montant de la résolution du litige (dépôt et garantie de fidélité) à partir des récompenses de votre profil. Si le personnel peut vous aider en quoi que ce soit, n'hésitez pas à nous contacter à l'adresse robosats@protonmail.com (ou via la méthode de contact jetable que vous avez fourni).",
"You have lost the dispute":"Vous avez perdu le litige",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Vous avez malheureusement perdu le litige. Si vous pensez qu'il s'agit d'une erreur, vous pouvez demander à rouvrir le dossier en envoyant un email à robosats@protonmail.com. Toutefois, les chances qu'il soit réexaminé sont faibles.",
"A taker has been found!": "Un preneur a été trouvé!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Veuillez attendre que le preneur verrouille une caution. Si le preneur ne verrouille pas la caution à temps, l'ordre sera rendue publique à nouveau",
"Submit an invoice for {{amountSats}} Sats": "Soumettre une facture pour {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.": "Le preneur est engagé! Avant de vous laisser envoyer {{amountFiat}} {{currencyCode}}, nous voulons nous assurer que vous êtes en mesure de recevoir le BTC. Veuillez fournir une facture valide de {{amountSats}} Satoshis.",
"Payout Lightning Invoice": "Facture lightning de paiement",
"Your invoice looks good!": "Votre facture est correcte!",
"We are waiting for the seller to lock the trade amount.": "Nous attendons que le vendeur verrouille le montant de la transaction.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Patientez un instant. Si le vendeur n'effectue pas de dépôt, vous récupérez automatiquement votre caution. En outre, vous recevrez une compensation (vérifiez les récompenses dans votre profil).",
"The trade collateral is locked!": "La garantie est verrouillée!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Nous attendons que l'acheteur dépose une facture lightning. Dès qu'il l'aura fait, vous pourrez communiquer directement les détails du paiement fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Patientez un instant. Si l'acheteur ne coopère pas, vous récupérez automatiquement le dépôt de garantie et votre caution. En outre, vous recevrez une compensation (vérifiez les récompenses dans votre profil).",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmer l'envoi de {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received": "Confirmer la réception de {{amount}} {{currencyCode}}",
"Open Dispute": "Ouvrir litige",
"The order has expired": "L'ordre a expiré",
"Chat with the buyer": "Chat avec l'acheteur",
"Chat with the seller": "Chat avec le vendeur",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Dites bonjour! Soyez utile et concis. Faites-leur savoir comment vous envoyer les {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "L'acheteur a envoyé le fiat. Cliquez sur 'Confirmer la réception' dès que vous l'aurez reçu.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Dites bonjour! Demandez les détails du paiement et cliquez sur 'Confirmé envoyé' dès que le paiement est envoyé.",
"Wait for the seller to confirm he has received the payment.": "Attendez que le vendeur confirme qu'il a reçu le paiement.",
"Confirm you received {{amount}} {{currencyCode}}?": "Confirmez que vous avez reçu les {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Confirmer que vous avez reçu le fiat finalisera la transaction. Les satoshis dans le dépôt seront libérés à l'acheteur. Ne confirmez qu'après que les {{amount}} {{currencyCode}} soit arrivés sur votre compte. En outre, si vous avez reçu les {{currencyCode}} et que vous ne confirmez pas la réception, vous risquez de perdre votre caution.",
"Confirm": "Confirmer",
"Trade finished!": "Transaction terminée!",
"rate_robosats": "Que pensez-vous de <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Merci! RoboSats vous aime aussi ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats s'améliore avec plus de liquidité et d'utilisateurs. Parlez de Robosats à un ami bitcoiner!",
"Thank you for using Robosats!": "Merci d'utiliser Robosats!",
"let_us_know_hot_to_improve": "Faites-nous savoir comment la plateforme pourrait être améliorée (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Recommencer",
"Attempting Lightning Payment": "Tentative de paiement Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats tente de payer votre facture lightning. Rappelez-vous que les nœuds lightning doivent être en ligne pour recevoir des paiements.",
"Retrying!": "Nouvelle tentative!",
"Lightning Routing Failed": "Échec du routage Lightning",
"Your invoice has expired or more than 3 payment attempts have been made.": "Votre facture a expiré ou plus de 3 tentatives de paiement ont été effectuées. Le porte-monnaie Muun n'est pas recommandé.",
"Check the list of compatible wallets": "Vérifier la liste des portefeuilles compatibles",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats essaiera de payer votre facture 3 fois toutes les 1 minute. S'il continue à échouer, vous pourrez soumettre une nouvelle facture. Vérifiez si vous avez suffisamment de liquidité entrante. N'oubliez pas que les nœuds lightning doivent être en ligne pour pouvoir recevoir des paiements.",
"Next attempt in": "Prochaine tentative en",
"Do you want to open a dispute?": "Voulez-vous ouvrir un litige?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Le personnel de RoboSats examinera les déclarations et les preuves fournies. Vous devez constituer un dossier complet, car le personnel ne peut pas lire le chat. Il est préférable de fournir une méthode de contact jetable avec votre déclaration. Les satoshis dans le dépôt seront envoyés au gagnant du litige, tandis que le perdant du litige perdra la caution.",
"Disagree": "En désaccord",
"Agree and open dispute": "Accepter et ouvrir un litige",
"A dispute has been opened": "Un litige a été ouvert",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Veuillez soumettre votre déclaration. Soyez clair et précis sur ce qui s'est passé et fournissez les preuves nécessaires. Vous DEVEZ fournir une méthode de contact: email jetable, XMPP ou nom d'utilisateur telegram pour assurer le suivi avec le personnel. Les litiges sont résolus à la discrétion de vrais robots (alias humains), alors soyez aussi utile que possible pour assurer un résultat équitable. Max 5000 caractères.",
"Submit dispute statement": "Soumettre une déclaration de litige",
"We have received your statement": "Nous avons reçu votre déclaration",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Nous attendons la déclaration de votre partenaire commercial. Si vous avez des doutes sur l'état du litige ou si vous souhaitez ajouter des informations supplémentaires, contactez robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Veuillez enregistrer les informations nécessaires à l'identification de votre ordre et de vos paiements : ID de l'ordre; hachages de paiement des cautions ou des dépòts (vérifiez sur votre portefeuille lightning); montant exact des satoshis; et surnom du robot. Vous devrez vous identifier en tant qu'utilisateur impliqué dans cette transaction par e-mail (ou autres méthodes de contact).",
"We have the statements": "Nous avons les relevés",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Les deux déclarations ont été reçues, attendez que le personnel résolve le litige. Si vous avez des doutes sur l'état du litige ou si vous souhaitez ajouter des informations supplémentaires, contactez robosats@protonmail.com. Si vous n'avez pas fourni de méthode de contact, ou si vous n'êtes pas sûr de l'avoir bien écrit, écrivez-nous immédiatement.",
"You have won the dispute": "Vous avez gagné le litige",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Vous pouvez réclamer le montant de la résolution du litige (dépôt et garantie de fidélité) à partir des récompenses de votre profil. Si le personnel peut vous aider en quoi que ce soit, n'hésitez pas à nous contacter à l'adresse robosats@protonmail.com (ou via la méthode de contact jetable que vous avez fourni).",
"You have lost the dispute": "Vous avez perdu le litige",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Vous avez malheureusement perdu le litige. Si vous pensez qu'il s'agit d'une erreur, vous pouvez demander à rouvrir le dossier en envoyant un email à robosats@protonmail.com. Toutefois, les chances qu'il soit réexaminé sont faibles.",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Fermer",
"What is RoboSats?":"C'est quoi RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"Il s'agit d'un échange BTC/FIAT pair à pair via lightning.",
"RoboSats is an open source project ":"RoboSats est un projet open source",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Il simplifie la mise en relation et minimise le besoin de confiance. RoboSats se concentre sur la confidentialité et la vitesse.",
"(GitHub).":"(GitHub).",
"How does it work?":"Comment ça marche?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01 veut vendre des bitcoins. Elle poste un ordre de vente. BafflingBob02 veut acheter des bitcoins et il prend l'ordre d'Alice. Les deux doivent poster une petite caution en utilisant lightning pour prouver qu'ils sont de vrais robots. Ensuite, Alice publie la garantie en utilisant également une facture de retention Lightning. RoboSats verrouille la facture jusqu'à ce qu'Alice confirme avoir reçu les fonds fiat, puis les satoshis sont remis à Bob. Profitez de vos satoshis, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"A aucun moment, AnonymousAlice01 et BafflingBob02 ne doivent se confier les fonds en bitcoin. En cas de conflit, le personnel de RoboSats aidera à résoudre le litige.",
"You can find a step-by-step description of the trade pipeline in ":"Vous pouvez trouver une description pas à pas des échanges en ",
"How it works":"Comment ça marche",
"You can also check the full guide in ":"Vous pouvez également consulter le guide complet sur ",
"How to use":"Comment utiliser",
"What payment methods are accepted?":"Quels sont les modes de paiement acceptés?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Tous, à condition qu'ils soient rapides. Vous pouvez noter vos modes de paiement préférés. Vous devrez vous mettre en relation avec un pair qui accepte également ce mode. L'étape d'échange de fiat a un délai d'expiration de 24 heures avant qu'un litige ne soit automatiquement ouvert. Nous vous recommandons vivement d'utiliser les rails de paiement instantané en fiat.",
"Are there trade limits?":"Y a-t-il des limites de transaction?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"La taille maximale d'une transaction unique est de {{maxAmount}} Satoshis pour minimiser l'échec de l'acheminement lightning. Il n'y a pas de limite au nombre de transactions par jour. Un robot ne peut avoir qu'un seul ordre à la fois. Toutefois, vous pouvez utiliser plusieurs robots simultanément dans différents navigateurs (n'oubliez pas de sauvegarder vos jetons de robot!).",
"Is RoboSats private?":"RoboSats est-il privé?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats ne vous demandera jamais votre nom, votre pays ou votre identifiant. RoboSats ne garde pas vos fonds et ne se soucie pas de savoir qui vous êtes. RoboSats ne collecte ni conserve aucune donnée personnelle. Pour un meilleur anonymat, utilisez le navigateur Tor et accédez au service caché .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Votre pair de transaction est le seul à pouvoir potentiellement deviner quoi que ce soit sur vous. Faites en sorte que votre chat soit court et concis. Évitez de fournir des informations non essentielles autres que celles strictement nécessaires au paiement fiat.",
"What are the risks?":"Quels sont les risques?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Ceci est une application expérimentale, les choses pourraient mal tourner. Échangez de petites sommes!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Le vendeur est confronté au même risque de rétrofacturation qu'avec n'importe quel autre service pair à pair. Paypal ou les cartes de crédit ne sont pas recommandés.",
"What is the trust model?":"Quel est le modèle de confiance?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"L'acheteur et le vendeur ne doiven jamais se faire confiance. Une certaine confiance envers RoboSats est nécessaire puisque le lien entre la facture du vendeur et le paiement de l'acheteur n'est pas (encore) atomique. En outre, les litiges sont résolus par le personnel de RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq.":"Pour être tout à fait clair. Les exigences de confiance sont réduites au minimum. Cependant, il existe toujours un moyen pour RoboSats de s'enfuir avec vos satoshis: ne pas remettre les satoshis à l'acheteur. On pourrait argumenter qu'une telle décision n'est pas dans l'intérêt de RoboSats, car elle nuirait à sa réputation pour un petit paiement. Cependant, vous devriez hésiter et n'échanger que de petites quantités à la fois. Pour les gros montants, utilisez un service de dépôt onchain tel que Bisq",
"You can build more trust on RoboSats by inspecting the source code.":"Vous pouvez faire plus confiance à RoboSats en inspectant le code source.",
"Project source code":"Code source du projet",
"What happens if RoboSats suddenly disappears?":"Que se passe-t-il si RoboSats disparaît soudainement?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Vos satoshis vous seront rendus. Toute facture bloquée qui n'est pas réglée sera automatiquement retournée même si RoboSats disparaît pour toujours. Ceci est vrai pour les cautions verrouillées et les dépôts de transaction. Cependant, il y a une petite fenêtre entre le moment où le vendeur confirme FIAT REÇU et le moment où l'acheteur reçoit les satoshis où les fonds pourraient être définitivement perdus si RoboSats disparaît. Cette fenêtre dure environ une seconde. Assurez-vous d'avoir suffisamment de liquidité entrante pour éviter les échecs de routage. En cas de problème, contactez les canaux publics de RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"Dans de nombreux pays, l'utilisation de RoboSats n'est pas différente de celle d'Ebay ou de Craiglist. Votre réglementation peut varier. Il est de votre responsabilité de vous conformer.",
"Is RoboSats legal in my country?":"RoboSats est-il légal dans mon pays?",
"Disclaimer":"Avertissement",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Cette application Lightning est fournie telle quelle. Elle est en cours de développement: négociez avec la plus grande prudence. Il n'y a pas de support privé. Le support est uniquement proposé via les canaux publics",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats ne vous contactera jamais. RoboSats ne vous demandera certainement jamais votre jeton de robot."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Fermer",
"What is RoboSats?": "C'est quoi RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Il s'agit d'un échange BTC/FIAT pair à pair via lightning.",
"RoboSats is an open source project ": "RoboSats est un projet open source",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Il simplifie la mise en relation et minimise le besoin de confiance. RoboSats se concentre sur la confidentialité et la vitesse.",
"(GitHub).": "(GitHub).",
"How does it work?": "Comment ça marche?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01 veut vendre des bitcoins. Elle poste un ordre de vente. BafflingBob02 veut acheter des bitcoins et il prend l'ordre d'Alice. Les deux doivent poster une petite caution en utilisant lightning pour prouver qu'ils sont de vrais robots. Ensuite, Alice publie la garantie en utilisant également une facture de retention Lightning. RoboSats verrouille la facture jusqu'à ce qu'Alice confirme avoir reçu les fonds fiat, puis les satoshis sont remis à Bob. Profitez de vos satoshis, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "A aucun moment, AnonymousAlice01 et BafflingBob02 ne doivent se confier les fonds en bitcoin. En cas de conflit, le personnel de RoboSats aidera à résoudre le litige.",
"You can find a step-by-step description of the trade pipeline in ": "Vous pouvez trouver une description pas à pas des échanges en ",
"How it works": "Comment ça marche",
"You can also check the full guide in ": "Vous pouvez également consulter le guide complet sur ",
"How to use": "Comment utiliser",
"What payment methods are accepted?": "Quels sont les modes de paiement acceptés?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Tous, à condition qu'ils soient rapides. Vous pouvez noter vos modes de paiement préférés. Vous devrez vous mettre en relation avec un pair qui accepte également ce mode. L'étape d'échange de fiat a un délai d'expiration de 24 heures avant qu'un litige ne soit automatiquement ouvert. Nous vous recommandons vivement d'utiliser les rails de paiement instantané en fiat.",
"Are there trade limits?": "Y a-t-il des limites de transaction?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "La taille maximale d'une transaction unique est de {{maxAmount}} Satoshis pour minimiser l'échec de l'acheminement lightning. Il n'y a pas de limite au nombre de transactions par jour. Un robot ne peut avoir qu'un seul ordre à la fois. Toutefois, vous pouvez utiliser plusieurs robots simultanément dans différents navigateurs (n'oubliez pas de sauvegarder vos jetons de robot!).",
"Is RoboSats private?": "RoboSats est-il privé?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats ne vous demandera jamais votre nom, votre pays ou votre identifiant. RoboSats ne garde pas vos fonds et ne se soucie pas de savoir qui vous êtes. RoboSats ne collecte ni conserve aucune donnée personnelle. Pour un meilleur anonymat, utilisez le navigateur Tor et accédez au service caché .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Votre pair de transaction est le seul à pouvoir potentiellement deviner quoi que ce soit sur vous. Faites en sorte que votre chat soit court et concis. Évitez de fournir des informations non essentielles autres que celles strictement nécessaires au paiement fiat.",
"What are the risks?": "Quels sont les risques?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Ceci est une application expérimentale, les choses pourraient mal tourner. Échangez de petites sommes!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Le vendeur est confronté au même risque de rétrofacturation qu'avec n'importe quel autre service pair à pair. Paypal ou les cartes de crédit ne sont pas recommandés.",
"What is the trust model?": "Quel est le modèle de confiance?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "L'acheteur et le vendeur ne doiven jamais se faire confiance. Une certaine confiance envers RoboSats est nécessaire puisque le lien entre la facture du vendeur et le paiement de l'acheteur n'est pas (encore) atomique. En outre, les litiges sont résolus par le personnel de RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq.": "Pour être tout à fait clair. Les exigences de confiance sont réduites au minimum. Cependant, il existe toujours un moyen pour RoboSats de s'enfuir avec vos satoshis: ne pas remettre les satoshis à l'acheteur. On pourrait argumenter qu'une telle décision n'est pas dans l'intérêt de RoboSats, car elle nuirait à sa réputation pour un petit paiement. Cependant, vous devriez hésiter et n'échanger que de petites quantités à la fois. Pour les gros montants, utilisez un service de dépôt onchain tel que Bisq",
"You can build more trust on RoboSats by inspecting the source code.": "Vous pouvez faire plus confiance à RoboSats en inspectant le code source.",
"Project source code": "Code source du projet",
"What happens if RoboSats suddenly disappears?": "Que se passe-t-il si RoboSats disparaît soudainement?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Vos satoshis vous seront rendus. Toute facture bloquée qui n'est pas réglée sera automatiquement retournée même si RoboSats disparaît pour toujours. Ceci est vrai pour les cautions verrouillées et les dépôts de transaction. Cependant, il y a une petite fenêtre entre le moment où le vendeur confirme FIAT REÇU et le moment où l'acheteur reçoit les satoshis où les fonds pourraient être définitivement perdus si RoboSats disparaît. Cette fenêtre dure environ une seconde. Assurez-vous d'avoir suffisamment de liquidité entrante pour éviter les échecs de routage. En cas de problème, contactez les canaux publics de RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "Dans de nombreux pays, l'utilisation de RoboSats n'est pas différente de celle d'Ebay ou de Craiglist. Votre réglementation peut varier. Il est de votre responsabilité de vous conformer.",
"Is RoboSats legal in my country?": "RoboSats est-il légal dans mon pays?",
"Disclaimer": "Avertissement",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Cette application Lightning est fournie telle quelle. Elle est en cours de développement: négociez avec la plus grande prudence. Il n'y a pas de support privé. Le support est uniquement proposé via les canaux publics",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats ne vous contactera jamais. RoboSats ne vous demandera certainement jamais votre jeton de robot."
}

View File

@ -3,431 +3,423 @@
"You are not using RoboSats privately": "Non stai usando RoboSats privatemente",
"desktop_unsafe_alert": "Alcune funzionalità (come la chat) sono disabilitate per le tua sicurezza e non sarai in grado di completare un'operazione senza di esse. Per proteggere la tua privacy e abilitare completamente RoboSats, usa <1>Tor Browser</1> e visita il sito <3>Onion</3>",
"phone_unsafe_alert": "Non sarai in grado di completare un'operazione. Usa <1>Tor Browser</1> e visita il sito <3>Onion</3>",
"Hide":"Nascondi",
"Hide": "Nascondi",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Semplice e privata borsa di scambio LN P2P",
"This is your trading avatar":"Questo è il tuo Robottino",
"Store your token safely":"Custodisci il tuo gettone in modo sicuro",
"A robot avatar was found, welcome back!":"E' stato trovato un Robottino, bentornato!",
"Copied!":"Copiato!",
"Generate a new token":"Genera un nuovo gettone",
"Generate Robot":"Genera un Robottino",
"You must enter a new token first":"Inserisci prima un nuovo gettone",
"Make Order":"Crea un ordine",
"Info":"Info",
"View Book":"Vedi il libro",
"Learn RoboSats":"Impara RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Stai per visitare la pagina Learn RoboSats. Troverai tutorial e documentazione per aiutarti ad imparare a usare RoboSats e capire come funziona.",
"Let's go!":"Andiamo!",
"Save token and PGP credentials to file":"Salva il gettone e le credenziali PGP in un file",
"This is your trading avatar": "Questo è il tuo Robottino",
"Store your token safely": "Custodisci il tuo gettone in modo sicuro",
"A robot avatar was found, welcome back!": "E' stato trovato un Robottino, bentornato!",
"Copied!": "Copiato!",
"Generate a new token": "Genera un nuovo gettone",
"Generate Robot": "Genera un Robottino",
"You must enter a new token first": "Inserisci prima un nuovo gettone",
"Make Order": "Crea un ordine",
"Info": "Info",
"View Book": "Vedi il libro",
"Learn RoboSats": "Impara RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Stai per visitare la pagina Learn RoboSats. Troverai tutorial e documentazione per aiutarti ad imparare a usare RoboSats e capire come funziona.",
"Let's go!": "Andiamo!",
"Save token and PGP credentials to file": "Salva il gettone e le credenziali PGP in un file",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Ordina",
"Customize":"Personalizza",
"Buy or Sell Bitcoin?":"Compri o Vendi Bitcoin?",
"Buy":"Comprare",
"Sell":"Vendere",
"Amount":"Quantità",
"Amount of fiat to exchange for bitcoin":"Quantità fiat da cambiare in bitcoin",
"Invalid":"Invalido",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Inserisci il tuo metodo di pagamento fiat preferito. Sono raccomandati i metodi veloci.",
"Must be shorter than 65 characters":"Deve essere meno di 65 caratteri",
"Swap Destination(s)":"Destinazione dello/degli Swap",
"Fiat Payment Method(s)":"Metodo(i) di pagamento fiat",
"You can add any method":"Puoi inserire qualunque metodo",
"Add New":"Aggiungi nuovo",
"Choose a Pricing Method":"Scegli come stabilire il prezzo",
"Relative":"Relativo",
"Let the price move with the market":"Lascia che il prezzo si muova col mercato",
"Premium over Market (%)":"Premio sul prezzo di mercato (%)",
"Explicit":"Esplicito",
"Set a fix amount of satoshis":"Imposta una somma fissa di Sats",
"Satoshis":"Satoshi",
"Fixed price:":"Prezzo fisso:",
"Order current rate:":"Ordina al prezzo corrente:",
"Your order fixed exchange rate":"Il tasso di cambio fisso del tuo ordine",
"Your order's current exchange rate. Rate will move with the market.":"Il tasso di cambio corrente del tuo ordine. Il tasso fluttuerà con il mercato.",
"Let the taker chose an amount within the range":"Lascia che l'acquirente decida una quantità in questo intervallo",
"Enable Amount Range":"Attiva intervallo di quantità",
"From":"Da",
"to":"a",
"Expiry Timers":"Tempo alla scadenza",
"Public Duration (HH:mm)":"Durata pubblica (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)":"Tempo limite di deposito (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Stabilisci la posta in gioco, aumenta per una sicurezza maggiore",
"Fidelity Bond Size":"Ammontare della cauzione",
"Allow bondless takers":"Permetti acquirenti senza cauzione",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"PROSSIMAMENTE - Rischio elevato! Limitato a {{limitSats}}mila Sats",
"You must fill the order correctly":"Devi compilare l'ordine correttamente",
"Create Order":"Crea l'ordine",
"Back":"Indietro",
"Create an order for ":"Crea un ordine per ",
"Create a BTC buy order for ":"Crea un ordine di acquisto BTC per ",
"Create a BTC sell order for ":"Crea un ordine di vendita BTC per ",
" of {{satoshis}} Satoshis":" di {{satoshis}} Sats",
" at market price":" al prezzo di mercato",
" at a {{premium}}% premium":" con un premio del {{premium}}%",
" at a {{discount}}% discount":" con uno sconto del {{discount}}%",
"Must be less than {{max}}%":"Dev'essere inferiore al {{max}}%",
"Must be more than {{min}}%":"Dev'essere maggiore del {{min}}%",
"Order": "Ordina",
"Customize": "Personalizza",
"Buy or Sell Bitcoin?": "Compri o Vendi Bitcoin?",
"Buy": "Comprare",
"Sell": "Vendere",
"Amount": "Quantità",
"Amount of fiat to exchange for bitcoin": "Quantità fiat da cambiare in bitcoin",
"Invalid": "Invalido",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Inserisci il tuo metodo di pagamento fiat preferito. Sono raccomandati i metodi veloci.",
"Must be shorter than 65 characters": "Deve essere meno di 65 caratteri",
"Swap Destination(s)": "Destinazione dello/degli Swap",
"Fiat Payment Method(s)": "Metodo(i) di pagamento fiat",
"You can add any method": "Puoi inserire qualunque metodo",
"Add New": "Aggiungi nuovo",
"Choose a Pricing Method": "Scegli come stabilire il prezzo",
"Relative": "Relativo",
"Let the price move with the market": "Lascia che il prezzo si muova col mercato",
"Premium over Market (%)": "Premio sul prezzo di mercato (%)",
"Explicit": "Esplicito",
"Set a fix amount of satoshis": "Imposta una somma fissa di Sats",
"Satoshis": "Satoshi",
"Fixed price:": "Prezzo fisso:",
"Order current rate:": "Ordina al prezzo corrente:",
"Your order fixed exchange rate": "Il tasso di cambio fisso del tuo ordine",
"Your order's current exchange rate. Rate will move with the market.": "Il tasso di cambio corrente del tuo ordine. Il tasso fluttuerà con il mercato.",
"Let the taker chose an amount within the range": "Lascia che l'acquirente decida una quantità in questo intervallo",
"Enable Amount Range": "Attiva intervallo di quantità",
"From": "Da",
"to": "a",
"Expiry Timers": "Tempo alla scadenza",
"Public Duration (HH:mm)": "Durata pubblica (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Tempo limite di deposito (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Stabilisci la posta in gioco, aumenta per una sicurezza maggiore",
"Fidelity Bond Size": "Ammontare della cauzione",
"Allow bondless takers": "Permetti acquirenti senza cauzione",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "PROSSIMAMENTE - Rischio elevato! Limitato a {{limitSats}}mila Sats",
"You must fill the order correctly": "Devi compilare l'ordine correttamente",
"Create Order": "Crea l'ordine",
"Back": "Indietro",
"Create an order for ": "Crea un ordine per ",
"Create a BTC buy order for ": "Crea un ordine di acquisto BTC per ",
"Create a BTC sell order for ": "Crea un ordine di vendita BTC per ",
" of {{satoshis}} Satoshis": " di {{satoshis}} Sats",
" at market price": " al prezzo di mercato",
" at a {{premium}}% premium": " con un premio del {{premium}}%",
" at a {{discount}}% discount": " con uno sconto del {{discount}}%",
"Must be less than {{max}}%": "Dev'essere inferiore al {{max}}%",
"Must be more than {{min}}%": "Dev'essere maggiore del {{min}}%",
"Must be less than {{maxSats}": "Dev'essere inferiore al {{maxSats}}",
"Must be more than {{minSats}}": "Dev'essere maggiore del {{minSats}}",
"Store your robot token":"Salva il tuo gettone",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"Potresti aver bisogno di recuperare il tuo Robottino in futuro: custodiscilo con cura. Puoi semplicemente copiarlo in un'altra applicazione.",
"Done":"Fatto",
"You do not have a robot avatar":"Non hai un Robottino",
"You need to generate a robot avatar in order to become an order maker":"Devi generare un Robottino prima di impostare un ordine",
"Store your robot token": "Salva il tuo gettone",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Potresti aver bisogno di recuperare il tuo Robottino in futuro: custodiscilo con cura. Puoi semplicemente copiarlo in un'altra applicazione.",
"Done": "Fatto",
"You do not have a robot avatar": "Non hai un Robottino",
"You need to generate a robot avatar in order to become an order maker": "Devi generare un Robottino prima di impostare un ordine",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Non specificato",
"Instant SEPA":"SEPA istantaneo",
"Amazon GiftCard":"Buono Amazon",
"Google Play Gift Code":"Codice Regalo di Google Play",
"Cash F2F":"Contante, faccia-a-faccia",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Non specificato",
"Instant SEPA": "SEPA istantaneo",
"Amazon GiftCard": "Buono Amazon",
"Google Play Gift Code": "Codice Regalo di Google Play",
"Cash F2F": "Contante, faccia-a-faccia",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Offerente",
"Buyer": "Acquirente",
"I want to": "Voglio",
"Select Order Type": "Selezione il tipo di ordine",
"ANY_type": "QUALUNQUE",
"ANY_currency": "QUALUNQUE",
"BUY": "COMPRA",
"SELL": "VENDI",
"and receive": "e ricevi",
"and pay with": "e paga con",
"and use": "ed usa",
"Select Payment Currency": "Seleziona valuta di pagamento",
"Robot": "Robottino",
"Is": "è",
"Currency": "Valuta",
"Payment Method": "Metodo di pagamento",
"Pay": "Paga",
"Price": "Prezzo",
"Premium": "Premio",
"You are SELLING BTC for {{currencyCode}}": "Stai VENDENDO BTC per {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Stai COMPRANDO BTC per{{currencyCode}}",
"You are looking at all": "Stai guardando tutto",
"No orders found to sell BTC for {{currencyCode}}": "Nessun ordine trovato per vendere BTC per {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Nessun ordine trovato per comprare BTC per {{currencyCode}}",
"Filter has no results": "Il filtro corrente non ha risultati",
"Be the first one to create an order": "Crea tu il primo ordine",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Offerente",
"Buyer":"Acquirente",
"I want to":"Voglio",
"Select Order Type":"Selezione il tipo di ordine",
"ANY_type":"QUALUNQUE",
"ANY_currency":"QUALUNQUE",
"BUY":"COMPRA",
"SELL":"VENDI",
"and receive":"e ricevi",
"and pay with":"e paga con",
"and use":"ed usa",
"Select Payment Currency":"Seleziona valuta di pagamento",
"Robot":"Robottino",
"Is":"è",
"Currency":"Valuta",
"Payment Method":"Metodo di pagamento",
"Pay":"Paga",
"Price":"Prezzo",
"Premium":"Premio",
"You are SELLING BTC for {{currencyCode}}":"Stai VENDENDO BTC per {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"Stai COMPRANDO BTC per{{currencyCode}}",
"You are looking at all":"Stai guardando tutto",
"No orders found to sell BTC for {{currencyCode}}":"Nessun ordine trovato per vendere BTC per {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"Nessun ordine trovato per comprare BTC per {{currencyCode}}",
"Filter has no results":"Il filtro corrente non ha risultati",
"Be the first one to create an order":"Crea tu il primo ordine",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Statistiche per secchioni",
"LND version":"Versione LND",
"Currently running commit hash":"Hash della versione corrente",
"24h contracted volume":"Volume scambiato in 24h",
"Lifetime contracted volume":"Volume scambiato in totale",
"Made with":"Fatto con",
"and":"e",
"... somewhere on Earth!":"... da qualche parte sulla Terra!",
"Community":"Comunità",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"L'assistenza viene offerta solo attraverso i canali pubblici. Unisciti alla nostra comunità Telegram se hai domande o se vuoi interagire con altri Robottini fichissimi. Utilizza il nostro Github Issues se trovi un bug o chiedere nuove funzionalità!",
"Follow RoboSats in Twitter":"Segui RoboSats su Twitter",
"Twitter Official Account":"Account Twitter ufficiale",
"RoboSats Telegram Communities":"RoboSats Telegram Communities",
"Join RoboSats Spanish speaking community!":"Unisciti alla comunità RoboSats che parla spagnolo!",
"Join RoboSats Russian speaking community!":"Unisciti alla comunità RoboSats che parla russo!",
"Join RoboSats Chinese speaking community!":"Unisciti alla comunità RoboSats che parla cinese!",
"Join RoboSats English speaking community!":"Unisciti alla comunità RoboSats che parla inglese!",
"Join RoboSats Italian speaking community!":"Unisciti alla comunità RoboSats che parla italiano!",
"Tell us about a new feature or a bug":"Comunicaci nuove funzionalità o bug",
"Github Issues - The Robotic Satoshis Open Source Project":"Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile":"Il tuo profilo",
"Your robot":"Il tuo Robottino",
"One active order #{{orderID}}":"Un ordine attivo #{{orderID}}",
"Your current order":"Il tuo ordine attuale",
"No active orders":"Nessun ordine attivo",
"Your token (will not remain here)":"Il tuo gettone (Non resterà qui)",
"Back it up!":"Salvalo!",
"Cannot remember":"Dimenticato",
"Rewards and compensations":"Ricompense e compensi",
"Share to earn 100 Sats per trade":"Condividi e guadagna 100 Sats con ogni transazione",
"Your referral link":"Il tuo link di riferimento",
"Your earned rewards":"La tua ricompensa",
"Claim":"Riscatta",
"Invoice for {{amountSats}} Sats":"Ricevuta per {{amountSats}} Sats",
"Submit":"Invia",
"There it goes, thank you!🥇":"Inviato, grazie!🥇",
"You have an active order":"Hai un ordine attivo",
"You can claim satoshis!":"Hai satoshi da riscattare!",
"Public Buy Orders":"Ordini di acquisto pubblici",
"Public Sell Orders":"Ordini di vendita pubblici",
"Today Active Robots":"I Robottini attivi oggi",
"24h Avg Premium":"Premio medio in 24h",
"Trade Fee":"Commissione",
"Show community and support links":"Mostra i link della comunità e di supporto",
"Show stats for nerds":"Mostra le statistiche per secchioni",
"Exchange Summary":"Riassunto della transazione",
"Public buy orders":"Ordini di acquisto pubblici",
"Public sell orders":"Ordini di vendita pubblici",
"Book liquidity":"Registro della liquidità",
"Today active robots":"I Robottini attivi oggi",
"24h non-KYC bitcoin premium":"Premio bitcoin non-KYC 24h",
"Maker fee":"Commissione dell'offerente",
"Taker fee":"Commissione dell'acquirente",
"Number of public BUY orders":"Numero di ordini di ACQUISTO pubblici",
"Number of public SELL orders":"Numero di ordini di VENDITA pubblici",
"Your last order #{{orderID}}":"Il tuo ultimo ordine #{{orderID}}",
"Inactive order":"Ordine inattivo",
"You do not have previous orders":"Non hai ordini precedenti",
"Join RoboSats' Subreddit":"Unisciti al subreddit di RoboSats",
"RoboSats in Reddit":"RoboSats su Reddit",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Statistiche per secchioni",
"LND version": "Versione LND",
"Currently running commit hash": "Hash della versione corrente",
"24h contracted volume": "Volume scambiato in 24h",
"Lifetime contracted volume": "Volume scambiato in totale",
"Made with": "Fatto con",
"and": "e",
"... somewhere on Earth!": "... da qualche parte sulla Terra!",
"Community": "Comunità",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "L'assistenza viene offerta solo attraverso i canali pubblici. Unisciti alla nostra comunità Telegram se hai domande o se vuoi interagire con altri Robottini fichissimi. Utilizza il nostro Github Issues se trovi un bug o chiedere nuove funzionalità!",
"Follow RoboSats in Twitter": "Segui RoboSats su Twitter",
"Twitter Official Account": "Account Twitter ufficiale",
"RoboSats Telegram Communities": "RoboSats Telegram Communities",
"Join RoboSats Spanish speaking community!": "Unisciti alla comunità RoboSats che parla spagnolo!",
"Join RoboSats Russian speaking community!": "Unisciti alla comunità RoboSats che parla russo!",
"Join RoboSats Chinese speaking community!": "Unisciti alla comunità RoboSats che parla cinese!",
"Join RoboSats English speaking community!": "Unisciti alla comunità RoboSats che parla inglese!",
"Join RoboSats Italian speaking community!": "Unisciti alla comunità RoboSats che parla italiano!",
"Tell us about a new feature or a bug": "Comunicaci nuove funzionalità o bug",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile": "Il tuo profilo",
"Your robot": "Il tuo Robottino",
"One active order #{{orderID}}": "Un ordine attivo #{{orderID}}",
"Your current order": "Il tuo ordine attuale",
"No active orders": "Nessun ordine attivo",
"Your token (will not remain here)": "Il tuo gettone (Non resterà qui)",
"Back it up!": "Salvalo!",
"Cannot remember": "Dimenticato",
"Rewards and compensations": "Ricompense e compensi",
"Share to earn 100 Sats per trade": "Condividi e guadagna 100 Sats con ogni transazione",
"Your referral link": "Il tuo link di riferimento",
"Your earned rewards": "La tua ricompensa",
"Claim": "Riscatta",
"Invoice for {{amountSats}} Sats": "Ricevuta per {{amountSats}} Sats",
"Submit": "Invia",
"There it goes, thank you!🥇": "Inviato, grazie!🥇",
"You have an active order": "Hai un ordine attivo",
"You can claim satoshis!": "Hai satoshi da riscattare!",
"Public Buy Orders": "Ordini di acquisto pubblici",
"Public Sell Orders": "Ordini di vendita pubblici",
"Today Active Robots": "I Robottini attivi oggi",
"24h Avg Premium": "Premio medio in 24h",
"Trade Fee": "Commissione",
"Show community and support links": "Mostra i link della comunità e di supporto",
"Show stats for nerds": "Mostra le statistiche per secchioni",
"Exchange Summary": "Riassunto della transazione",
"Public buy orders": "Ordini di acquisto pubblici",
"Public sell orders": "Ordini di vendita pubblici",
"Book liquidity": "Registro della liquidità",
"Today active robots": "I Robottini attivi oggi",
"24h non-KYC bitcoin premium": "Premio bitcoin non-KYC 24h",
"Maker fee": "Commissione dell'offerente",
"Taker fee": "Commissione dell'acquirente",
"Number of public BUY orders": "Numero di ordini di ACQUISTO pubblici",
"Number of public SELL orders": "Numero di ordini di VENDITA pubblici",
"Your last order #{{orderID}}": "Il tuo ultimo ordine #{{orderID}}",
"Inactive order": "Ordine inattivo",
"You do not have previous orders": "Non hai ordini precedenti",
"Join RoboSats' Subreddit": "Unisciti al subreddit di RoboSats",
"RoboSats in Reddit": "RoboSats su Reddit",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Ordine",
"Contract":"Contratto",
"Active":"Attivo",
"Seen recently":"Visto di recente",
"Inactive":"Inattivo",
"(Seller)":"(Offerente)",
"(Buyer)":"(Acquirente)",
"Order maker":"Offerente",
"Order taker":"Acquirente",
"Order Details":"Dettagli",
"Order status":"Stato",
"Waiting for maker bond":"In attesa della cauzione dell'offerente",
"Public":"Pubblico",
"Waiting for taker bond":"In attesa della cauzione dell'acquirente",
"Cancelled":"Cancellato",
"Expired":"Scaduto",
"Waiting for trade collateral and buyer invoice":"In attesa della garanzia e della fattura dell'acquirente",
"Waiting only for seller trade collateral":"In attesa della garanzia dell'offerente",
"Waiting only for buyer invoice":"In attesa della ricevuta del'acquirente",
"Sending fiat - In chatroom":"Invio di fiat in corso - Nella chat",
"Fiat sent - In chatroom":"Fiat inviati - Nella chat",
"In dispute":"Contestato",
"Collaboratively cancelled":"Annullato collaborativamente",
"Sending satoshis to buyer":"Invio di sats all'acquirente in corso",
"Sucessful trade":"Transazione riuscita",
"Failed lightning network routing":"Instradamento via lightning network fallito",
"Wait for dispute resolution":"In attesa della risoluzione della disputa",
"Maker lost dispute":"L'offerente ha perso la disputa",
"Taker lost dispute":"L'acquirente ha perso la disputa",
"Amount range":"Intervallo della quantità",
"Swap destination":"Destinazione di Swap",
"Accepted payment methods":"Metodi di pagamento accettati",
"Others":"Altro",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Premio: {{premium}}%",
"Price and Premium":"Prezzo e Premio",
"Amount of Satoshis":"Quantità di sats",
"Premium over market price":"Premio sul prezzo di mercato",
"Order ID":"ID ordine",
"Deposit timer":"Per depositare",
"Expires in":"Scade in",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} verrebbe annullare collaborativamente",
"You asked for a collaborative cancellation":"Hai richiesto per un annullamento collaborativo",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Ricevuta scaduta. Non hai confermato pubblicando l'ordine in tempo. Crea un nuovo ordine",
"This order has been cancelled by the maker":"Quest'ordine è stato cancellato dall'offerente",
"Invoice expired. You did not confirm taking the order in time.":"Ricevuta scaduta. Non hai confermato accettando l'ordine in tempo.",
"Penalty lifted, good to go!":"Penalità rimossa, partiamo!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Non puoi ancora accettare un ordine! Aspetta {{timeMin}}m {{timeSec}}s",
"Too low":"Troppo poco",
"Too high":"Troppo",
"Enter amount of fiat to exchange for bitcoin":"Inserisci la quantità di fiat da scambiare per bitcoin",
"Amount {{currencyCode}}":"Quantità {{currencyCode}}",
"You must specify an amount first":"Devi prima specificare una quantità",
"Take Order":"Accetta l'ordine",
"Wait until you can take an order":"Aspetta fino a quando puoi accettare ordini",
"Cancel the order?":"Annullare l'ordine?",
"If the order is cancelled now you will lose your bond.":"Se l'ordine viene annullato adesso perderai la cauzione.",
"Confirm Cancel":"Conferma l'annullamento",
"The maker is away":"L'offerente è assente",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Accettando questo ordine rischi di perdere tempo. Se l'offerente non procede in tempo, sarai ricompensato in sats per il 50% della cauzione dell'offerente.",
"Collaborative cancel the order?":"Annullare collaborativamente l'ordine?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Il deposito di transazione è stato registrato. L'ordine può solo essere cancellato se entrambe le parti sono d'accordo all'annullamento.",
"Ask for Cancel":"Richiesta di annullamento",
"Cancel":"Annulla",
"Collaborative Cancel":"Annulla collaborativamente",
"Invalid Order Id":"ID ordine invalido",
"You must have a robot avatar to see the order details":"Devi avere un Robottino per vedere i dettagli dell'ordine",
"This order has been cancelled collaborativelly":"Quest'ordine è stato annullato collaborativamente",
"You are not allowed to see this order":"Non sei autorizzato a vedere quest'ordine",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Il Satoshi Robot che lavora nel magazzino non ti ha capito. Per favore, inoltra un Bug Issue su Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Tu",
"Peer":"Pari",
"connected":"connesso",
"disconnected":"disconnesso",
"Type a message":"Digita un messaggio",
"Connecting...":"Connessione...",
"Send":"Invia",
"Verify your privacy":"Verificando la tua privacy",
"Audit PGP":"Audit PGP",
"Save full log as a JSON file (messages and credentials)":"Salva l'elenco completo come file JSON (messaggi e credenziali)",
"Export":"Esporta",
"Don't trust, verify":"Non fidarti, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"La tua comunicazione è cifrata end-to-end con OpenPGP. Puoi verificare la privacy di questa chat utilizzando qualunque strumento basato sull'OpenPGP standard.",
"Learn how to verify":"Impara come verificare",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"La tua chiave PGP pubblica. Il tuo pari la utilizza per cifrare i messaggi che solo tu puoi leggere.",
"Your public key":"La tua chiave pubblica",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"La chiave PGP pubblica del tuo pari. La utilizzi per cifrare i messaggi che solo il tuo pari può leggere e per verificare che la firma del tuo pari nei messaggi che ricevi.",
"Peer public key":"La chiave pubblica del tuo pari",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"La tua chiave privata cifrata. La utilizzi per decifrare i messaggi che il tuo pari ha cifrato per te. La usi anche quando firmi i messaggi che invii.",
"Your encrypted private key":"La tua chiave privata cifrata",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"La frase d'accesso per decifrare la tua chiave privata. Solo tu la conosci! Non la condividere. Corrisponde anche al gettone del tuo Robottino.",
"Your private key passphrase (keep secure!)":"La frase d'accesso alla tua chiave privata (Proteggila!)",
"Save credentials as a JSON file":"Salva le credenziali come file JSON",
"Keys":"Chiavi",
"Save messages as a JSON file":"Salva i messaggi come file JSON",
"Messages":"Messaggi",
"Verified signature by {{nickname}}":"Verifica la firma di {{nickname}}",
"Cannot verify signature of {{nickname}}":"Non è possibile verificare la firma di {{nickname}}",
"Order Box": "Ordine",
"Contract": "Contratto",
"Active": "Attivo",
"Seen recently": "Visto di recente",
"Inactive": "Inattivo",
"(Seller)": "(Offerente)",
"(Buyer)": "(Acquirente)",
"Order maker": "Offerente",
"Order taker": "Acquirente",
"Order Details": "Dettagli",
"Order status": "Stato",
"Waiting for maker bond": "In attesa della cauzione dell'offerente",
"Public": "Pubblico",
"Waiting for taker bond": "In attesa della cauzione dell'acquirente",
"Cancelled": "Cancellato",
"Expired": "Scaduto",
"Waiting for trade collateral and buyer invoice": "In attesa della garanzia e della fattura dell'acquirente",
"Waiting only for seller trade collateral": "In attesa della garanzia dell'offerente",
"Waiting only for buyer invoice": "In attesa della ricevuta del'acquirente",
"Sending fiat - In chatroom": "Invio di fiat in corso - Nella chat",
"Fiat sent - In chatroom": "Fiat inviati - Nella chat",
"In dispute": "Contestato",
"Collaboratively cancelled": "Annullato collaborativamente",
"Sending satoshis to buyer": "Invio di sats all'acquirente in corso",
"Sucessful trade": "Transazione riuscita",
"Failed lightning network routing": "Instradamento via lightning network fallito",
"Wait for dispute resolution": "In attesa della risoluzione della disputa",
"Maker lost dispute": "L'offerente ha perso la disputa",
"Taker lost dispute": "L'acquirente ha perso la disputa",
"Amount range": "Intervallo della quantità",
"Swap destination": "Destinazione di Swap",
"Accepted payment methods": "Metodi di pagamento accettati",
"Others": "Altro",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Premio: {{premium}}%",
"Price and Premium": "Prezzo e Premio",
"Amount of Satoshis": "Quantità di sats",
"Premium over market price": "Premio sul prezzo di mercato",
"Order ID": "ID ordine",
"Deposit timer": "Per depositare",
"Expires in": "Scade in",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} verrebbe annullare collaborativamente",
"You asked for a collaborative cancellation": "Hai richiesto per un annullamento collaborativo",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Ricevuta scaduta. Non hai confermato pubblicando l'ordine in tempo. Crea un nuovo ordine",
"This order has been cancelled by the maker": "Quest'ordine è stato cancellato dall'offerente",
"Invoice expired. You did not confirm taking the order in time.": "Ricevuta scaduta. Non hai confermato accettando l'ordine in tempo.",
"Penalty lifted, good to go!": "Penalità rimossa, partiamo!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Non puoi ancora accettare un ordine! Aspetta {{timeMin}}m {{timeSec}}s",
"Too low": "Troppo poco",
"Too high": "Troppo",
"Enter amount of fiat to exchange for bitcoin": "Inserisci la quantità di fiat da scambiare per bitcoin",
"Amount {{currencyCode}}": "Quantità {{currencyCode}}",
"You must specify an amount first": "Devi prima specificare una quantità",
"Take Order": "Accetta l'ordine",
"Wait until you can take an order": "Aspetta fino a quando puoi accettare ordini",
"Cancel the order?": "Annullare l'ordine?",
"If the order is cancelled now you will lose your bond.": "Se l'ordine viene annullato adesso perderai la cauzione.",
"Confirm Cancel": "Conferma l'annullamento",
"The maker is away": "L'offerente è assente",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Accettando questo ordine rischi di perdere tempo. Se l'offerente non procede in tempo, sarai ricompensato in sats per il 50% della cauzione dell'offerente.",
"Collaborative cancel the order?": "Annullare collaborativamente l'ordine?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Il deposito di transazione è stato registrato. L'ordine può solo essere cancellato se entrambe le parti sono d'accordo all'annullamento.",
"Ask for Cancel": "Richiesta di annullamento",
"Cancel": "Annulla",
"Collaborative Cancel": "Annulla collaborativamente",
"Invalid Order Id": "ID ordine invalido",
"You must have a robot avatar to see the order details": "Devi avere un Robottino per vedere i dettagli dell'ordine",
"This order has been cancelled collaborativelly": "Quest'ordine è stato annullato collaborativamente",
"You are not allowed to see this order": "Non sei autorizzato a vedere quest'ordine",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Il Satoshi Robot che lavora nel magazzino non ti ha capito. Per favore, inoltra un Bug Issue su Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Tu",
"Peer": "Pari",
"connected": "connesso",
"disconnected": "disconnesso",
"Type a message": "Digita un messaggio",
"Connecting...": "Connessione...",
"Send": "Invia",
"Verify your privacy": "Verificando la tua privacy",
"Audit PGP": "Audit PGP",
"Save full log as a JSON file (messages and credentials)": "Salva l'elenco completo come file JSON (messaggi e credenziali)",
"Export": "Esporta",
"Don't trust, verify": "Non fidarti, verifica",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "La tua comunicazione è cifrata end-to-end con OpenPGP. Puoi verificare la privacy di questa chat utilizzando qualunque strumento basato sull'OpenPGP standard.",
"Learn how to verify": "Impara come verificare",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "La tua chiave PGP pubblica. Il tuo pari la utilizza per cifrare i messaggi che solo tu puoi leggere.",
"Your public key": "La tua chiave pubblica",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "La chiave PGP pubblica del tuo pari. La utilizzi per cifrare i messaggi che solo il tuo pari può leggere e per verificare che la firma del tuo pari nei messaggi che ricevi.",
"Peer public key": "La chiave pubblica del tuo pari",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "La tua chiave privata cifrata. La utilizzi per decifrare i messaggi che il tuo pari ha cifrato per te. La usi anche quando firmi i messaggi che invii.",
"Your encrypted private key": "La tua chiave privata cifrata",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "La frase d'accesso per decifrare la tua chiave privata. Solo tu la conosci! Non la condividere. Corrisponde anche al gettone del tuo Robottino.",
"Your private key passphrase (keep secure!)": "La frase d'accesso alla tua chiave privata (Proteggila!)",
"Save credentials as a JSON file": "Salva le credenziali come file JSON",
"Keys": "Chiavi",
"Save messages as a JSON file": "Salva i messaggi come file JSON",
"Messages": "Messaggi",
"Verified signature by {{nickname}}": "Verifica la firma di {{nickname}}",
"Cannot verify signature of {{nickname}}": "Non è possibile verificare la firma di {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Contratto",
"Contract Box": "Contratto",
"Robots show commitment to their peers": "I Robottini dimostrano dedizione verso i loro pari",
"Lock {{amountSats}} Sats to PUBLISH order": "Blocca {{amountSats}} Sats per PUBBLICARE l'ordine",
"Lock {{amountSats}} Sats to TAKE order": "Blocca {{amountSats}} Sats per ACCETTARE l'ordine",
"Lock {{amountSats}} Sats as collateral": "Blocca {{amountSats}} Sats come garanzia",
"Copy to clipboard":"Copia",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Questa è una ricevuta di deposito, verrà congelata nel tuo wallet. Sarà riscossa solamente in caso di annullamento o perdita di una disputa.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Questa è una ricevuta di deposito, verrà congelata nel tuo wallet. Sarà accreditata all'acquirente una volta tu abbia confermato di aver ricevuto {{currencyCode}}.",
"Your maker bond is locked":"La tua cauzione di offerente è stata bloccata",
"Your taker bond is locked":"La tua cauzione di acquirente è stata bloccata",
"Your maker bond was settled":"La tua cauzione di offerente è stata saldata",
"Your taker bond was settled":"La tua cauzione di acquirente è stata saldata",
"Your maker bond was unlocked":"La tua cauzione di offerente è stata sbloccata",
"Your taker bond was unlocked":"La tua cauzione di acquirente è stata sbloccata",
"Your order is public":"Il tuo ordine è pubblico",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Sii paziente mentre i robottini controllano il registro. Questo box squillerà 🔊 appena un robottino accetta il tuo ordine, dopodiché avrai {{deposit_timer_hours}}h {{deposit_timer_minutes}}m per rispondere. Se non rispondi, rischi di perdere la cauzione.",
"If the order expires untaken, your bond will return to you (no action needed).":"Se l'ordine scade senza venire accettato, la cauzione ti sarà restituita (nessun'azione richiesta).",
"Enable Telegram Notifications":"Attiva notifiche Telegram",
"Enable TG Notifications":"Attiva notifiche TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Sarai introdotto in conversazione con il bot RoboSats su telegram. Apri semplicemente la chat e premi Start. Considera che attivando le notifiche telegram potresti ridurre il tuo livello di anonimità.",
"Go back":"Indietro",
"Enable":"Attiva",
"Telegram enabled":"Telegram attivato",
"Public orders for {{currencyCode}}":"Ordini pubblici per {{currencyCode}}",
"Copy to clipboard": "Copia",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Questa è una ricevuta di deposito, verrà congelata nel tuo wallet. Sarà riscossa solamente in caso di annullamento o perdita di una disputa.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Questa è una ricevuta di deposito, verrà congelata nel tuo wallet. Sarà accreditata all'acquirente una volta tu abbia confermato di aver ricevuto {{currencyCode}}.",
"Your maker bond is locked": "La tua cauzione di offerente è stata bloccata",
"Your taker bond is locked": "La tua cauzione di acquirente è stata bloccata",
"Your maker bond was settled": "La tua cauzione di offerente è stata saldata",
"Your taker bond was settled": "La tua cauzione di acquirente è stata saldata",
"Your maker bond was unlocked": "La tua cauzione di offerente è stata sbloccata",
"Your taker bond was unlocked": "La tua cauzione di acquirente è stata sbloccata",
"Your order is public": "Il tuo ordine è pubblico",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Sii paziente mentre i robottini controllano il registro. Questo box squillerà 🔊 appena un robottino accetta il tuo ordine, dopodiché avrai {{deposit_timer_hours}}h {{deposit_timer_minutes}}m per rispondere. Se non rispondi, rischi di perdere la cauzione.",
"If the order expires untaken, your bond will return to you (no action needed).": "Se l'ordine scade senza venire accettato, la cauzione ti sarà restituita (nessun'azione richiesta).",
"Enable Telegram Notifications": "Attiva notifiche Telegram",
"Enable TG Notifications": "Attiva notifiche TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Sarai introdotto in conversazione con il bot RoboSats su telegram. Apri semplicemente la chat e premi Start. Considera che attivando le notifiche telegram potresti ridurre il tuo livello di anonimità.",
"Go back": "Indietro",
"Enable": "Attiva",
"Telegram enabled": "Telegram attivato",
"Public orders for {{currencyCode}}": "Ordini pubblici per {{currencyCode}}",
"Premium rank": "Classifica del premio",
"Among public {{currencyCode}} orders (higher is cheaper)": "Tra gli ordini pubblici in {{currencyCode}} (costo crescente)",
"A taker has been found!":"E' stato trovato un acquirente!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Aspetta che l'acquirente blocchi una cauzione. Se l'acquirente non blocca una cauzione in tempo, l'ordine verrà reso nuovamente pubblico.",
"Submit an invoice for {{amountSats}} Sats":"Invia una ricevuta per {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.":"L'acquirente si è impegnato! Prima di lasciarti inviare {{amountFiat}} {{currencyCode}}, vogliamo assicurarci tu sia in grado di ricevere i BTC. Per favore invia una fattura valida per {{amountSats}} Sats.",
"Payout Lightning Invoice":"Fattura di pagamento Lightning",
"Your invoice looks good!":"La tua fattura va bene!",
"We are waiting for the seller to lock the trade amount.":"Stiamo aspettando che l'offerente blocchi l'ammontare della transazione.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Aspetta un attimo. Se l'offerente non effettua il deposito, riceverai indietro la cauzione automaticamente. In più, riceverai un compenso (controlla le ricompense sul tuo profilo).",
"The trade collateral is locked!":"La garanzia di transazione è stata bloccata!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Stiamo aspettando che l'acquirente invii una fattura lightning. Appena fatto, sarai in grado di comunicare direttamente i dettagli di pagamento fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Aspetta un attimo. Se l'acquirente non collabora, ti verranno restituite automaticamente la garanzia di transazione e la cauzione. In più, riceverai un compenso (controlla le ricompense sul tuo profilo).",
"Confirm {{amount}} {{currencyCode}} sent":"Conferma l'invio di {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received":"Conferma la ricezione di {{amount}} {{currencyCode}}",
"Open Dispute":"Apri una disputa",
"The order has expired":"L'ordine è scaduto",
"Chat with the buyer":"Chatta con l'acquirente",
"Chat with the seller":"Chatta con l'offerente",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Saluta! Sii utile e conciso. Fai sapere come inviarti {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"L'acquirente ha inviato fiat. Clicca 'Conferma ricezione' appena li ricevi.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Saluta! Chiedi i dettagli di pagamento e clicca 'Confirma invio' appena il pagamento è inviato.",
"Wait for the seller to confirm he has received the payment.":"Aspetta che l'offerente confermi la ricezione del pagamento.",
"Confirm you received {{amount}} {{currencyCode}}?":"Confermi la ricezione di {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Confermando la ricezione del fiat la transazione sarà finalizzata. I sats depositati saranno rilasciati all'acquirente. Conferma solamente dopo che {{amount}} {{currencyCode}} sono arrivati sul tuo conto. In più, se se hai ricevuto {{currencyCode}} e non procedi a confermare la ricezione, rischi di perdere la cauzione.",
"Confirm":"Conferma",
"Trade finished!":"Transazione conclusa!",
"rate_robosats":"Cosa pensi di <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Grazie! Anche +RoboSats ti ama ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats migliora se ha più liquidità ed utenti. Parla di Robosats ai tuoi amici bitcoiner!",
"Thank you for using Robosats!":"Grazie per aver usato Robosats!",
"let_us_know_hot_to_improve":"Facci sapere come migliorare la piattaforma (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Ricomincia",
"Attempting Lightning Payment":"Tentativo di pagamento lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats sta provando a pagare la tua fattura lightning. Ricorda che i nodi lightning devono essere online per ricevere pagamenti.",
"Retrying!":"Retrying!",
"Lightning Routing Failed":"Instradamento lightning non riuscito",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.":"La tua fattura è scaduta o sono stati fatti più di 3 tentativi di pagamento. Invia una nuova fattura.",
"Check the list of compatible wallets":"Controlla la lista di wallet compatibili",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.",
"Next attempt in":"Prossimo tentativo",
"Do you want to open a dispute?":"Vuoi aprire una disputa?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Lo staff di RoboSats esaminerà le dichiarazioni e le prove fornite. È necessario costruire un caso completo, poiché lo staff non può leggere la chat. È meglio fornire un metodo di contatto temporaneo insieme alla propria dichiarazione. I satoshi presenti nel deposito saranno inviati al vincitore della disputa, mentre il perdente perderà il deposito",
"Disagree":"Non sono d'accordo",
"Agree and open dispute":"Sono d'accordo e apri una disputa",
"A dispute has been opened":"E' stata aperta una disputa",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Per favore, invia la tua dichiarazione. Sii chiaro e specifico sull'accaduto e fornisci le prove necessarie. DEVI fornire un metodo di contatto: email temporanea, nome utente XMPP o telegram per contattare lo staff. Le dispute vengono risolte a discrezione di veri robot (alias umani), quindi sii il più collaborativo possibile per garantire un esito equo. Massimo 5000 caratteri.",
"Submit dispute statement":"Dichiarazione inviata",
"We have received your statement":"Abbiamo ricevuto la tua dichiarazione",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Siamo in attesa della dichiarazione della controparte. Se hai dubbi sullo stato della disputa o vuoi aggiungere ulteriori informazioni, contatta robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Per favore, salva le informazioni necessarie per identificare il tuo ordine e i tuoi pagamenti: ID dell'ordine; hash dei pagamenti delle garanzie o del deposito (controlla sul tuo wallet lightning); importo esatto in Sats; e nickname del robot. Dovrai identificarti come l'utente coinvolto in questa operazione tramite email (o altri metodi di contatto).",
"We have the statements":"Abbiamo ricevuto le dichiarazioni",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Sono state ricevute entrambe le dichiarazioni, attendi che lo staff risolva la disputa. Se sei incerto sullo stato della controversia o vuoi aggiungere ulteriori informazioni, contatta robosats@protonmail.com. Se non hai fornito un metodo di contatto o non sei sicuro di aver scritto bene, scrivici immediatamente.",
"You have won the dispute":"Hai vinto la disputa",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Puoi richiedere l'importo per la risoluzione delle controversie (deposito e cauzione) dalla sezione ricompense del tuo profilo. Se c'è qualcosa per cui lo staff può essere d'aiuto, non esitare a contattare robosats@protonmail.com (o tramite il metodo di contatto temporaneo fornito).",
"You have lost the dispute":"Hai perso la disputa",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Purtroppo hai perso la disputa. Se ritieni che si tratti di un errore, puoi chiedere di riaprire il caso inviando una email all'indirizzo robosats@protonmail.com. Tuttavia, le probabilità che il caso venga esaminato nuovamente sono basse.",
"Expired not taken":"Scaduto non accettato",
"Maker bond not locked":"Cauzione dell'offerente non bloccata",
"Escrow not locked":"Deposito non bloccato",
"Invoice not submitted":"Fattura non inviata",
"Neither escrow locked or invoice submitted":"Nè deposito bloccato nè fattura inviata",
"Renew Order":"Rinnova l'ordine",
"Pause the public order":"Sospendi l'ordine pubblico",
"Your order is paused":"Il tuo ordine è in sospeso",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Il tuo ordine pubblico è in sospeso. Al momento non può essere visto o accettato da altri robot. È possibile scegliere di toglierlo dalla pausa in qualsiasi momento",
"Unpause Order":"Rimuovi la pausa all'ordine",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Rischi di perdere la tua cauzione se non blocchi la garanzia. Il tempo totale a disposizione è {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets":"Vedi wallet compatibili",
"Failure reason:":"Ragione del fallimento:",
"Payment isn't failed (yet)":"Il pagamanto non è fallito (per adesso)",
"There are more routes to try, but the payment timeout was exceeded.":"Ci sono altri percorsi da tentare, ma il tempo massimo per il pagamento è stato superato.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Tutti i percorsi possibili sono stati provati e hanno fallito definitivamente. Oppure non c'erano percorsi per raggiungere la destinazione.",
"A non-recoverable error has occurred.":"E' avvenuto un errore non recuperabile.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"I dettagli del pagamento sono incorretti (hash sconosciuto, somma invalida o CLTV delta finale invalido).",
"Insufficient unlocked balance in RoboSats' node.":"Saldo sbloccato nel nodo RoboSats insufficiente.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"La fattura inviata ha solo indicazioni di instradamento costose, stai usando un wallet incompatibile (probabilmente Muun?). Controlla la guida alla compatibilità dei wallet su wallets.robosats.com",
"The invoice provided has no explicit amount":"La fattura inviata non contiene una somma esplicita",
"Does not look like a valid lightning invoice":"Non assomiglia a una fattura lightning valida",
"The invoice provided has already expired":"La fattura inviata è già scaduta",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Assicurati di esportare il log della chat. Lo staff potrebbe richiedere il file JSON di log della chat esportato per risolvere eventuali dispute. È tua responsabilità conservarlo.",
"A taker has been found!": "E' stato trovato un acquirente!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Aspetta che l'acquirente blocchi una cauzione. Se l'acquirente non blocca una cauzione in tempo, l'ordine verrà reso nuovamente pubblico.",
"Submit an invoice for {{amountSats}} Sats": "Invia una ricevuta per {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.": "L'acquirente si è impegnato! Prima di lasciarti inviare {{amountFiat}} {{currencyCode}}, vogliamo assicurarci tu sia in grado di ricevere i BTC. Per favore invia una fattura valida per {{amountSats}} Sats.",
"Payout Lightning Invoice": "Fattura di pagamento Lightning",
"Your invoice looks good!": "La tua fattura va bene!",
"We are waiting for the seller to lock the trade amount.": "Stiamo aspettando che l'offerente blocchi l'ammontare della transazione.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Aspetta un attimo. Se l'offerente non effettua il deposito, riceverai indietro la cauzione automaticamente. In più, riceverai un compenso (controlla le ricompense sul tuo profilo).",
"The trade collateral is locked!": "La garanzia di transazione è stata bloccata!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Stiamo aspettando che l'acquirente invii una fattura lightning. Appena fatto, sarai in grado di comunicare direttamente i dettagli di pagamento fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Aspetta un attimo. Se l'acquirente non collabora, ti verranno restituite automaticamente la garanzia di transazione e la cauzione. In più, riceverai un compenso (controlla le ricompense sul tuo profilo).",
"Confirm {{amount}} {{currencyCode}} sent": "Conferma l'invio di {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received": "Conferma la ricezione di {{amount}} {{currencyCode}}",
"Open Dispute": "Apri una disputa",
"The order has expired": "L'ordine è scaduto",
"Chat with the buyer": "Chatta con l'acquirente",
"Chat with the seller": "Chatta con l'offerente",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Saluta! Sii utile e conciso. Fai sapere come inviarti {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "L'acquirente ha inviato fiat. Clicca 'Conferma ricezione' appena li ricevi.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Saluta! Chiedi i dettagli di pagamento e clicca 'Confirma invio' appena il pagamento è inviato.",
"Wait for the seller to confirm he has received the payment.": "Aspetta che l'offerente confermi la ricezione del pagamento.",
"Confirm you received {{amount}} {{currencyCode}}?": "Confermi la ricezione di {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Confermando la ricezione del fiat la transazione sarà finalizzata. I sats depositati saranno rilasciati all'acquirente. Conferma solamente dopo che {{amount}} {{currencyCode}} sono arrivati sul tuo conto. In più, se se hai ricevuto {{currencyCode}} e non procedi a confermare la ricezione, rischi di perdere la cauzione.",
"Confirm": "Conferma",
"Trade finished!": "Transazione conclusa!",
"rate_robosats": "Cosa pensi di <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Grazie! Anche +RoboSats ti ama ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats migliora se ha più liquidità ed utenti. Parla di Robosats ai tuoi amici bitcoiner!",
"Thank you for using Robosats!": "Grazie per aver usato Robosats!",
"let_us_know_hot_to_improve": "Facci sapere come migliorare la piattaforma (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Ricomincia",
"Attempting Lightning Payment": "Tentativo di pagamento lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats sta provando a pagare la tua fattura lightning. Ricorda che i nodi lightning devono essere online per ricevere pagamenti.",
"Retrying!": "Retrying!",
"Lightning Routing Failed": "Instradamento lightning non riuscito",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "La tua fattura è scaduta o sono stati fatti più di 3 tentativi di pagamento. Invia una nuova fattura.",
"Check the list of compatible wallets": "Controlla la lista di wallet compatibili",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.",
"Next attempt in": "Prossimo tentativo",
"Do you want to open a dispute?": "Vuoi aprire una disputa?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Lo staff di RoboSats esaminerà le dichiarazioni e le prove fornite. È necessario costruire un caso completo, poiché lo staff non può leggere la chat. È meglio fornire un metodo di contatto temporaneo insieme alla propria dichiarazione. I satoshi presenti nel deposito saranno inviati al vincitore della disputa, mentre il perdente perderà il deposito",
"Disagree": "Non sono d'accordo",
"Agree and open dispute": "Sono d'accordo e apri una disputa",
"A dispute has been opened": "E' stata aperta una disputa",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Per favore, invia la tua dichiarazione. Sii chiaro e specifico sull'accaduto e fornisci le prove necessarie. DEVI fornire un metodo di contatto: email temporanea, nome utente XMPP o telegram per contattare lo staff. Le dispute vengono risolte a discrezione di veri robot (alias umani), quindi sii il più collaborativo possibile per garantire un esito equo. Massimo 5000 caratteri.",
"Submit dispute statement": "Dichiarazione inviata",
"We have received your statement": "Abbiamo ricevuto la tua dichiarazione",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Siamo in attesa della dichiarazione della controparte. Se hai dubbi sullo stato della disputa o vuoi aggiungere ulteriori informazioni, contatta robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Per favore, salva le informazioni necessarie per identificare il tuo ordine e i tuoi pagamenti: ID dell'ordine; hash dei pagamenti delle garanzie o del deposito (controlla sul tuo wallet lightning); importo esatto in Sats; e nickname del robot. Dovrai identificarti come l'utente coinvolto in questa operazione tramite email (o altri metodi di contatto).",
"We have the statements": "Abbiamo ricevuto le dichiarazioni",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Sono state ricevute entrambe le dichiarazioni, attendi che lo staff risolva la disputa. Se sei incerto sullo stato della controversia o vuoi aggiungere ulteriori informazioni, contatta robosats@protonmail.com. Se non hai fornito un metodo di contatto o non sei sicuro di aver scritto bene, scrivici immediatamente.",
"You have won the dispute": "Hai vinto la disputa",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Puoi richiedere l'importo per la risoluzione delle controversie (deposito e cauzione) dalla sezione ricompense del tuo profilo. Se c'è qualcosa per cui lo staff può essere d'aiuto, non esitare a contattare robosats@protonmail.com (o tramite il metodo di contatto temporaneo fornito).",
"You have lost the dispute": "Hai perso la disputa",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Purtroppo hai perso la disputa. Se ritieni che si tratti di un errore, puoi chiedere di riaprire il caso inviando una email all'indirizzo robosats@protonmail.com. Tuttavia, le probabilità che il caso venga esaminato nuovamente sono basse.",
"Expired not taken": "Scaduto non accettato",
"Maker bond not locked": "Cauzione dell'offerente non bloccata",
"Escrow not locked": "Deposito non bloccato",
"Invoice not submitted": "Fattura non inviata",
"Neither escrow locked or invoice submitted": "Nè deposito bloccato nè fattura inviata",
"Renew Order": "Rinnova l'ordine",
"Pause the public order": "Sospendi l'ordine pubblico",
"Your order is paused": "Il tuo ordine è in sospeso",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Il tuo ordine pubblico è in sospeso. Al momento non può essere visto o accettato da altri robot. È possibile scegliere di toglierlo dalla pausa in qualsiasi momento",
"Unpause Order": "Rimuovi la pausa all'ordine",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Rischi di perdere la tua cauzione se non blocchi la garanzia. Il tempo totale a disposizione è {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Vedi wallet compatibili",
"Failure reason:": "Ragione del fallimento:",
"Payment isn't failed (yet)": "Il pagamanto non è fallito (per adesso)",
"There are more routes to try, but the payment timeout was exceeded.": "Ci sono altri percorsi da tentare, ma il tempo massimo per il pagamento è stato superato.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Tutti i percorsi possibili sono stati provati e hanno fallito definitivamente. Oppure non c'erano percorsi per raggiungere la destinazione.",
"A non-recoverable error has occurred.": "E' avvenuto un errore non recuperabile.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "I dettagli del pagamento sono incorretti (hash sconosciuto, somma invalida o CLTV delta finale invalido).",
"Insufficient unlocked balance in RoboSats' node.": "Saldo sbloccato nel nodo RoboSats insufficiente.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "La fattura inviata ha solo indicazioni di instradamento costose, stai usando un wallet incompatibile (probabilmente Muun?). Controlla la guida alla compatibilità dei wallet su wallets.robosats.com",
"The invoice provided has no explicit amount": "La fattura inviata non contiene una somma esplicita",
"Does not look like a valid lightning invoice": "Non assomiglia a una fattura lightning valida",
"The invoice provided has already expired": "La fattura inviata è già scaduta",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Assicurati di esportare il log della chat. Lo staff potrebbe richiedere il file JSON di log della chat esportato per risolvere eventuali dispute. È tua responsabilità conservarlo.",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Chiudi",
"What is RoboSats?":"Cos'è RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"E' una borsa di scambio BTC/FIAT peer-to-peer che utilizza lightning.",
"RoboSats is an open source project ":"RoboSats è un progetto open-source",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Semplifica il coordinamento tra parti e riduce al minimo la necessità di fiducia. RoboSats si concentra su privacy e velocità.",
"(GitHub).":"(GitHub).",
"How does it work?":"Come funziona?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01 vuole vendere bitcoin. Ella invia un ordine di vendita. BafflingBob02 vuole acquistare bitcoin e accetta l'ordine di Alice. Entrambi devono inviare una piccola cauzione utilizzando lightning per dimostrare di essere dei veri robot. Quindi, Alice invia la garanzia utilizzando ancora una fattura lightning. RoboSats blocca la fattura finché Alice non conferma di aver ricevuto il denaro fiat, quindi i satoshi vengono rilasciati a Bob. Goditi i tuoi Sats, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"In nessun momento, AnonymousAlice01 e BafflingBob02 devono affidare i fondi bitcoin l'uno all'altro. In caso di conflitto, lo staff di RoboSats aiuterà a risolvere la disputa.",
"You can find a step-by-step description of the trade pipeline in ":"Una descrizione passo passo della pipeline di scambio è disponibile in ",
"How it works":"Come funziona",
"You can also check the full guide in ":"Puoi anche consultare la guida completa in ",
"How to use":"Come usarlo",
"What payment methods are accepted?":"Quali pagamenti sono accettati?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Tutti, purchè siano veloci. Puoi indicare i tuoi metodi di pagamenti preferiti. Dovrai trovare un tuo pari che preferisce gli stessi metodi. Il passaggio di trasferimento di fiat ha una scadenza di 24 ore prima che una disputa sia aperta automaticamente. Raccomandiamo caldamente di usare canali di pagamento fiat instantanei.",
"Are there trade limits?":"Ci sono limiti agli scambi?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"La dimensione massima di una singola operazione è di {{maxAmount}} Sats per ridurre al minimo il fallimento del traffico su lightning. Non ci sono limiti al numero di operazioni al giorno. Un robot può avere un solo ordine alla volta. Tuttavia, è possibile utilizzare più robot contemporaneamente in browser diversi (ricordarsi di eseguire il backup dei gettoni dei robot!).",
"Is RoboSats private?":"RoboSats è privato?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats non ti chiederà mai il nome, il paese o il documento d'identità. RoboSats non custodisce i tuoi fondi e non si interessa di chi sei. RoboSats non raccoglie né custodisce alcun dato personale. Per un migliore anonimato, usa il Tor Browser e accedi al servizio nascosto .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Il tuo pari di trading è l'unico che può potenzialmente scoprire qualcosa su di te. Mantieni la chat breve e concisa. Evita di fornire informazioni non essenziali se non quelle strettamente necessarie per il pagamento in fiat.",
"What are the risks?":"Quali sono i rischi?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Questa è un'applicazione sperimentale, le cose potrebbero andare male. Scambia piccole quantità!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"L'offerente è soggetto allo stesso rischio di charge-back di qualsiasi altro servizio peer-to-peer. Paypal o le carte di credito non sono raccomandate.",
"What is the trust model?":"Qual è il modello di fiducia?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"L'acquirente e l'offerente non devono mai avere fiducia l'uno nell'altro. È necessaria una certa fiducia nei confronti di RoboSats, poiché il collegamento tra la fattura di vendita e il pagamento dell'acquirente non è ancora atomico. Inoltre, le dispute sono risolte dallo staff di RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Per essere chiari. I requisiti di fiducia sono ridotti al minimo. Tuttavia, c'è ancora un modo in cui RoboSats potrebbe scappare con i tuoi satoshi: non rilasciando i satoshs all'acquirente. Si potrebbe obiettare che questa mossa non è nell'interesse di RoboSats, in quanto ne danneggerebbe la reputazione per un piccolo guadagno. Tuttavia, dovresti indugiare e scambiare solo piccole quantità alla volta. Per grandi quantità, utilizzate un servizio di deposito a garanzia onchain come Bisq.",
"You can build more trust on RoboSats by inspecting the source code.":"È possibile ottenere maggiore fiducia in RoboSats ispezionando il codice sorgente.",
"Project source code":"Codice sorgente del progetto",
"What happens if RoboSats suddenly disappears?":"Cosa succede se RoboSats sparisce improvvisamente?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"I tuoi sats torneranno a te. Qualsiasi fattura in sospeso non saldata sarà automaticamente restituita anche se RoboSats dovesse scomparire per sempre. Questo vale sia per le cauzioni bloccate che per i depositi. Tuttavia, c'è una piccola finestra tra il momento in cui l'offerente conferma il FIAT RICEVUTO e il momento in cui l'acquirente riceve i satoshi, in cui i fondi potrebbero essere persi in modo permanente se RoboSats scomparisse. Questa finestra dura circa 1 secondo. Assicuratevi di avere abbastanza liquidità in entrata per evitare errori di instradamento. In caso di problemi, contattare i canali pubblici di RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"In molti Paesi l'utilizzo di RoboSats non è diverso da quello di Ebay o Craiglist. Le normative possono variare. È tua responsabilità conformarti.",
"Is RoboSats legal in my country?":"RoboSats è legale nel mio Paese?",
"Disclaimer":"Avvertenza",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Questa applicazione lightning viene fornita così com'è. È in fase di sviluppo attivo: è opportuno utilizzarla con la massima cautela. Non esiste un supporto privato. Il supporto è offerto solo attraverso i canali pubblici ",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats non ti contatterà mai. RoboSats non chiederà mai il gettone del tuo robot."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Chiudi",
"What is RoboSats?": "Cos'è RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "E' una borsa di scambio BTC/FIAT peer-to-peer che utilizza lightning.",
"RoboSats is an open source project ": "RoboSats è un progetto open-source",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Semplifica il coordinamento tra parti e riduce al minimo la necessità di fiducia. RoboSats si concentra su privacy e velocità.",
"(GitHub).": "(GitHub).",
"How does it work?": "Come funziona?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01 vuole vendere bitcoin. Ella invia un ordine di vendita. BafflingBob02 vuole acquistare bitcoin e accetta l'ordine di Alice. Entrambi devono inviare una piccola cauzione utilizzando lightning per dimostrare di essere dei veri robot. Quindi, Alice invia la garanzia utilizzando ancora una fattura lightning. RoboSats blocca la fattura finché Alice non conferma di aver ricevuto il denaro fiat, quindi i satoshi vengono rilasciati a Bob. Goditi i tuoi Sats, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "In nessun momento, AnonymousAlice01 e BafflingBob02 devono affidare i fondi bitcoin l'uno all'altro. In caso di conflitto, lo staff di RoboSats aiuterà a risolvere la disputa.",
"You can find a step-by-step description of the trade pipeline in ": "Una descrizione passo passo della pipeline di scambio è disponibile in ",
"How it works": "Come funziona",
"You can also check the full guide in ": "Puoi anche consultare la guida completa in ",
"How to use": "Come usarlo",
"What payment methods are accepted?": "Quali pagamenti sono accettati?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Tutti, purchè siano veloci. Puoi indicare i tuoi metodi di pagamenti preferiti. Dovrai trovare un tuo pari che preferisce gli stessi metodi. Il passaggio di trasferimento di fiat ha una scadenza di 24 ore prima che una disputa sia aperta automaticamente. Raccomandiamo caldamente di usare canali di pagamento fiat instantanei.",
"Are there trade limits?": "Ci sono limiti agli scambi?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "La dimensione massima di una singola operazione è di {{maxAmount}} Sats per ridurre al minimo il fallimento del traffico su lightning. Non ci sono limiti al numero di operazioni al giorno. Un robot può avere un solo ordine alla volta. Tuttavia, è possibile utilizzare più robot contemporaneamente in browser diversi (ricordarsi di eseguire il backup dei gettoni dei robot!).",
"Is RoboSats private?": "RoboSats è privato?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats non ti chiederà mai il nome, il paese o il documento d'identità. RoboSats non custodisce i tuoi fondi e non si interessa di chi sei. RoboSats non raccoglie né custodisce alcun dato personale. Per un migliore anonimato, usa il Tor Browser e accedi al servizio nascosto .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Il tuo pari di trading è l'unico che può potenzialmente scoprire qualcosa su di te. Mantieni la chat breve e concisa. Evita di fornire informazioni non essenziali se non quelle strettamente necessarie per il pagamento in fiat.",
"What are the risks?": "Quali sono i rischi?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Questa è un'applicazione sperimentale, le cose potrebbero andare male. Scambia piccole quantità!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "L'offerente è soggetto allo stesso rischio di charge-back di qualsiasi altro servizio peer-to-peer. Paypal o le carte di credito non sono raccomandate.",
"What is the trust model?": "Qual è il modello di fiducia?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "L'acquirente e l'offerente non devono mai avere fiducia l'uno nell'altro. È necessaria una certa fiducia nei confronti di RoboSats, poiché il collegamento tra la fattura di vendita e il pagamento dell'acquirente non è ancora atomico. Inoltre, le dispute sono risolte dallo staff di RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Per essere chiari. I requisiti di fiducia sono ridotti al minimo. Tuttavia, c'è ancora un modo in cui RoboSats potrebbe scappare con i tuoi satoshi: non rilasciando i satoshs all'acquirente. Si potrebbe obiettare che questa mossa non è nell'interesse di RoboSats, in quanto ne danneggerebbe la reputazione per un piccolo guadagno. Tuttavia, dovresti indugiare e scambiare solo piccole quantità alla volta. Per grandi quantità, utilizzate un servizio di deposito a garanzia onchain come Bisq.",
"You can build more trust on RoboSats by inspecting the source code.": "È possibile ottenere maggiore fiducia in RoboSats ispezionando il codice sorgente.",
"Project source code": "Codice sorgente del progetto",
"What happens if RoboSats suddenly disappears?": "Cosa succede se RoboSats sparisce improvvisamente?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "I tuoi sats torneranno a te. Qualsiasi fattura in sospeso non saldata sarà automaticamente restituita anche se RoboSats dovesse scomparire per sempre. Questo vale sia per le cauzioni bloccate che per i depositi. Tuttavia, c'è una piccola finestra tra il momento in cui l'offerente conferma il FIAT RICEVUTO e il momento in cui l'acquirente riceve i satoshi, in cui i fondi potrebbero essere persi in modo permanente se RoboSats scomparisse. Questa finestra dura circa 1 secondo. Assicuratevi di avere abbastanza liquidità in entrata per evitare errori di instradamento. In caso di problemi, contattare i canali pubblici di RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "In molti Paesi l'utilizzo di RoboSats non è diverso da quello di Ebay o Craiglist. Le normative possono variare. È tua responsabilità conformarti.",
"Is RoboSats legal in my country?": "RoboSats è legale nel mio Paese?",
"Disclaimer": "Avvertenza",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Questa applicazione lightning viene fornita così com'è. È in fase di sviluppo attivo: è opportuno utilizzarla con la massima cautela. Non esiste un supporto privato. Il supporto è offerto solo attraverso i canali pubblici ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats non ti contatterà mai. RoboSats non chiederà mai il gettone del tuo robot."
}

View File

@ -3,363 +3,357 @@
"You are not using RoboSats privately": "Nie używasz Robosats prywatnie",
"desktop_unsafe_alert": "Niektóre funkcje są wyłączone dla Twojej ochrony (np. czat) i bez nich nie będziesz w stanie dokonać transakcji. Aby chronić swoją prywatność i w pełni włączyć RoboSats, użyj <1>Tor Browser</1> i odwiedź <3>onion<//3>.",
"phone_unsafe_alert": "Nie będziesz w stanie sfinalizować transakcji. Użyj <1>Tor Browser</1> i odwiedź witrynę <3>Onion</3>.",
"Hide":"Ukryć",
"Hide": "Ukryć",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Łatwa i prywatna wymiana P2P LN",
"This is your trading avatar":"To jest twój awatar handlowy",
"Store your token safely":"Przechowuj swój token bezpiecznie",
"A robot avatar was found, welcome back!":"Znaleziono awatar robota, witamy ponownie!",
"Copied!":"Skopiowane!",
"Generate a new token":"Wygeneruj nowy token",
"Generate Robot":"Generuj robota",
"You must enter a new token first":"Musisz najpierw wprowadzić nowy token",
"Make Order":"Złóż zamówienie",
"Info":"Info",
"View Book":"Zobacz książkę",
"This is your trading avatar": "To jest twój awatar handlowy",
"Store your token safely": "Przechowuj swój token bezpiecznie",
"A robot avatar was found, welcome back!": "Znaleziono awatar robota, witamy ponownie!",
"Copied!": "Skopiowane!",
"Generate a new token": "Wygeneruj nowy token",
"Generate Robot": "Generuj robota",
"You must enter a new token first": "Musisz najpierw wprowadzić nowy token",
"Make Order": "Złóż zamówienie",
"Info": "Info",
"View Book": "Zobacz książkę",
"MAKER PAGE - MakerPage.js": "To jest strona, na której użytkownicy mogą tworzyć nowe zamówienia",
"Order":"Zamówienie",
"Customize":"Dostosuj",
"Buy or Sell Bitcoin?":"Chcesz kupić lub sprzedać Bitcoin?",
"Buy":"Kupić",
"Sell":"Sprzedać",
"Amount":"Ilość",
"Amount of fiat to exchange for bitcoin":"Kwota fiat do wymiany na bitcoin",
"Invalid":"Nieważny",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Wpisz swoje preferowane metody płatności fiat. Zdecydowanie zaleca się szybkie metody.",
"Must be shorter than 65 characters":"Musi być krótszy niż 65 znaków",
"Swap Destination(s)":"Swap miejsce/miejsca docelowe",
"Fiat Payment Method(s)":"Fiat Metoda/Metody płatności",
"You can add any method":"Możesz dodać dowolną metodę",
"Add New":"Dodaj nowe",
"Choose a Pricing Method":"Wybierz metodę ustalania cen",
"Relative":"Względny",
"Let the price move with the market":"Niech cena porusza się wraz z rynkiem",
"Premium over Market (%)":"Premia nad rynkiem (%)",
"Explicit":"Sprecyzowany",
"Set a fix amount of satoshis":"Ustaw stałą ilość satoshi",
"Satoshis":"Satoshis",
"Let the taker chose an amount within the range":"Niech biorący wybierze kwotę z zakresu",
"Enable Amount Range":"Włącz zakres kwot",
"Order": "Zamówienie",
"Customize": "Dostosuj",
"Buy or Sell Bitcoin?": "Chcesz kupić lub sprzedać Bitcoin?",
"Buy": "Kupić",
"Sell": "Sprzedać",
"Amount": "Ilość",
"Amount of fiat to exchange for bitcoin": "Kwota fiat do wymiany na bitcoin",
"Invalid": "Nieważny",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Wpisz swoje preferowane metody płatności fiat. Zdecydowanie zaleca się szybkie metody.",
"Must be shorter than 65 characters": "Musi być krótszy niż 65 znaków",
"Swap Destination(s)": "Swap miejsce/miejsca docelowe",
"Fiat Payment Method(s)": "Fiat Metoda/Metody płatności",
"You can add any method": "Możesz dodać dowolną metodę",
"Add New": "Dodaj nowe",
"Choose a Pricing Method": "Wybierz metodę ustalania cen",
"Relative": "Względny",
"Let the price move with the market": "Niech cena porusza się wraz z rynkiem",
"Premium over Market (%)": "Premia nad rynkiem (%)",
"Explicit": "Sprecyzowany",
"Set a fix amount of satoshis": "Ustaw stałą ilość satoshi",
"Satoshis": "Satoshis",
"Let the taker chose an amount within the range": "Niech biorący wybierze kwotę z zakresu",
"Enable Amount Range": "Włącz zakres kwot",
"From": "Od",
"to":"do",
"Public Duration (HH:mm)":"Czas trwania publicznego (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance":"Ustaw skin-in-the-game, zwiększ, aby zapewnić większe bezpieczeństwo",
"Fidelity Bond Size":"Rozmiar obligacji wierności",
"Allow bondless takers":"Zezwól na osoby bez obligacji",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"WKRÓTCE - Wysokie ryzyko! Ograniczony do {{limitSats}}K Sats",
"You must fill the order correctly":"Musisz poprawnie wypełnić zamówienie",
"Create Order":"Utwórz zamówienie",
"Back":"Z powrotem",
"Create a BTC buy order for ":"Utwórz zlecenie kupna BTC dla ",
"Create a BTC sell order for ":"Utwórz zlecenie sprzedaży BTC dla ",
" of {{satoshis}} Satoshis":" z {{satoshis}} Satoshis",
" at market price":" po cenie rynkowej",
" at a {{premium}}% premium":" o godz {{premium}}% premia",
" at a {{discount}}% discount":" o godz {{discount}}% zniżka",
"Must be less than {{max}}%":"To musi być mniejsza niż {{max}}%",
"Must be more than {{min}}%":"To musi być więcej niż {{min}}%",
"to": "do",
"Public Duration (HH:mm)": "Czas trwania publicznego (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Ustaw skin-in-the-game, zwiększ, aby zapewnić większe bezpieczeństwo",
"Fidelity Bond Size": "Rozmiar obligacji wierności",
"Allow bondless takers": "Zezwól na osoby bez obligacji",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "WKRÓTCE - Wysokie ryzyko! Ograniczony do {{limitSats}}K Sats",
"You must fill the order correctly": "Musisz poprawnie wypełnić zamówienie",
"Create Order": "Utwórz zamówienie",
"Back": "Z powrotem",
"Create a BTC buy order for ": "Utwórz zlecenie kupna BTC dla ",
"Create a BTC sell order for ": "Utwórz zlecenie sprzedaży BTC dla ",
" of {{satoshis}} Satoshis": " z {{satoshis}} Satoshis",
" at market price": " po cenie rynkowej",
" at a {{premium}}% premium": " o godz {{premium}}% premia",
" at a {{discount}}% discount": " o godz {{discount}}% zniżka",
"Must be less than {{max}}%": "To musi być mniejsza niż {{max}}%",
"Must be more than {{min}}%": "To musi być więcej niż {{min}}%",
"Must be less than {{maxSats}": "To musi być mniej niż {{maxSats}}",
"Must be more than {{minSats}}": "To musi być więcej niż {{minSats}}",
"PAYMENT METHODS - autocompletePayments.js": "Ciągi metod płatności",
"not specified":"Nieokreślony",
"Instant SEPA":"Natychmiastowe SEPA",
"Amazon GiftCard":"Amazon GiftCard",
"Google Play Gift Code":"Google Play Gift Code",
"Cash F2F":"Cash F2F",
"On-Chain BTC":"On-Chain BTC",
"not specified": "Nieokreślony",
"Instant SEPA": "Natychmiastowe SEPA",
"Amazon GiftCard": "Amazon GiftCard",
"Google Play Gift Code": "Google Play Gift Code",
"Cash F2F": "Cash F2F",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "Strona Zamówienia książki",
"Seller": "Sprzedawca",
"Buyer": "Kupujący",
"I want to": "chcę",
"Select Order Type": "Wybierz typ zamówienia",
"ANY_type": "KAŻDY",
"ANY_currency": "KAŻDY",
"BUY": "KUPIĆ",
"SELL": "SPRZEDAĆ",
"and receive": "i odbierz",
"and pay with": "i zapłać",
"and use": "i użyć",
"Select Payment Currency": "Wybierz walutę płatności",
"Robot": "Robot",
"Is": "Jest",
"Currency": "Waluta",
"Payment Method": "Metoda płatności",
"Pay": "Płacić",
"Price": "Cena",
"Premium": "Premia",
"You are SELLING BTC for {{currencyCode}}": "SPRZEDAJESZ BTC za {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "KUPUJESZ BTC za {{currencyCode}}",
"You are looking at all": "Patrzysz na wszystko",
"No orders found to sell BTC for {{currencyCode}}": "Nie znaleziono zleceń sprzedaży BTC za {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Nie znaleziono zamówień na zakup BTC za {{currencyCode}}",
"Be the first one to create an order": "Bądź pierwszą osobą, która utworzy zamówienie",
"BOOK PAGE - BookPage.js":"Strona Zamówienia książki",
"Seller":"Sprzedawca",
"Buyer":"Kupujący",
"I want to":"chcę",
"Select Order Type":"Wybierz typ zamówienia",
"ANY_type":"KAŻDY",
"ANY_currency":"KAŻDY",
"BUY":"KUPIĆ",
"SELL":"SPRZEDAĆ",
"and receive":"i odbierz",
"and pay with":"i zapłać",
"and use":"i użyć",
"Select Payment Currency":"Wybierz walutę płatności",
"Robot":"Robot",
"Is":"Jest",
"Currency":"Waluta",
"Payment Method":"Metoda płatności",
"Pay":"Płacić",
"Price":"Cena",
"Premium":"Premia",
"You are SELLING BTC for {{currencyCode}}":"SPRZEDAJESZ BTC za {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"KUPUJESZ BTC za {{currencyCode}}",
"You are looking at all":"Patrzysz na wszystko",
"No orders found to sell BTC for {{currencyCode}}":"Nie znaleziono zleceń sprzedaży BTC za {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"Nie znaleziono zamówień na zakup BTC za {{currencyCode}}",
"Be the first one to create an order":"Bądź pierwszą osobą, która utworzy zamówienie",
"BOTTOM BAR AND MISC - BottomBar.js":"Profil użytkownika paska dolnego i różne okna dialogowe",
"Stats For Nerds":"Statystyki dla nerdów",
"LND version":"LND wersja",
"Currently running commit hash":"Aktualnie uruchomiony hash zatwierdzenia",
"24h contracted volume":"Zakontraktowana objętość 24h",
"Lifetime contracted volume":"Zakontraktowana wielkość dożywotnia",
"Made with":"Wykonana z",
"and":"i",
"... somewhere on Earth!":"... gdzieś na Ziemi!",
"Community":"Społeczność",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Wsparcie jest oferowane wyłącznie za pośrednictwem kanałów publicznych. Dołącz do naszej społeczności Telegram, jeśli masz pytania lub chcesz spędzać czas z innymi fajnymi robotami. Proszę, skorzystaj z naszego Github Issues, jeśli znajdziesz błąd lub chcesz zobaczyć nowe funkcje!",
"Join the RoboSats group":"Dołącz do grupy RoboSats",
"Telegram (English / Main)":"Telegram (English / Main)",
"RoboSats Telegram Communities":"RoboSats Telegram Communities",
"Join RoboSats Spanish speaking community!":"Dołącz do hiszpańskojęzycznej społeczności RoboSats!",
"Join RoboSats Russian speaking community!":"Dołącz do rosyjskojęzycznej społeczności RoboSats!",
"Join RoboSats Chinese speaking community!":"Dołącz do chińskojęzycznej społeczności RoboSats!",
"Join RoboSats English speaking community!":"Dołącz do anglojęzycznej społeczności RoboSats!",
"Tell us about a new feature or a bug":"Poinformuj nas o nowej funkcji lub błędzie",
"Github Issues - The Robotic Satoshis Open Source Project":"Problemy z Githubem — projekt Robotic Satoshis Open Source",
"Your Profile":"Twój profil",
"Your robot":"Twój robot",
"One active order #{{orderID}}":"Jedno aktywne zamówienie #{{orderID}}",
"Your current order":"Twoje obecne zamówienie",
"No active orders":"Brak aktywnych zamówień",
"Your token (will not remain here)":"Twój token (nie pozostanie tutaj)",
"Back it up!":"Utwórz kopię zapasową!",
"Cannot remember":"niemożliwe do zapamiętania",
"Rewards and compensations":"Nagrody i rekompensaty",
"Share to earn 100 Sats per trade":"Udostępnij, aby zarobić 100 Sats na transakcję",
"Your referral link":"Twój link referencyjny",
"Your earned rewards":"Twoje zarobione nagrody",
"Claim":"Prawo",
"Invoice for {{amountSats}} Sats":"Faktura za {{amountSats}} Sats",
"Submit":"Składać",
"There it goes, thank you!🥇":"No to idzie, Dziękuję!🥇",
"You have an active order":"Masz aktywne zamówienie",
"You can claim satoshis!":"Możesz ubiegać się o satoshi!",
"Public Buy Orders":"Publiczne zamówienia zakupu",
"Public Sell Orders":"Publiczne zlecenia sprzedaży",
"Today Active Robots":"Dzisiaj aktywne roboty",
"24h Avg Premium":"24h średnia premia",
"Trade Fee":"Opłata handlowa",
"Show community and support links":"Pokaż linki do społeczności i wsparcia",
"Show stats for nerds":"Pokaż statystyki dla nerdów",
"Exchange Summary":"Podsumowanie wymiany",
"Public buy orders":"Publiczne zamówienia kupna",
"Public sell orders":"Zlecenia sprzedaży publicznej",
"Book liquidity":"Płynność księgowa",
"Today active robots":"Dziś aktywne roboty",
"24h non-KYC bitcoin premium":"24h premia bitcoin non-KYC",
"Maker fee":"Opłata producenta",
"Taker fee":"Opłata takera",
"Number of public BUY orders":"Liczba publicznych zamówień BUY",
"Number of public SELL orders":"Liczba publicznych zleceń SPRZEDAŻY",
"BOTTOM BAR AND MISC - BottomBar.js": "Profil użytkownika paska dolnego i różne okna dialogowe",
"Stats For Nerds": "Statystyki dla nerdów",
"LND version": "LND wersja",
"Currently running commit hash": "Aktualnie uruchomiony hash zatwierdzenia",
"24h contracted volume": "Zakontraktowana objętość 24h",
"Lifetime contracted volume": "Zakontraktowana wielkość dożywotnia",
"Made with": "Wykonana z",
"and": "i",
"... somewhere on Earth!": "... gdzieś na Ziemi!",
"Community": "Społeczność",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Wsparcie jest oferowane wyłącznie za pośrednictwem kanałów publicznych. Dołącz do naszej społeczności Telegram, jeśli masz pytania lub chcesz spędzać czas z innymi fajnymi robotami. Proszę, skorzystaj z naszego Github Issues, jeśli znajdziesz błąd lub chcesz zobaczyć nowe funkcje!",
"Join the RoboSats group": "Dołącz do grupy RoboSats",
"Telegram (English / Main)": "Telegram (English / Main)",
"RoboSats Telegram Communities": "RoboSats Telegram Communities",
"Join RoboSats Spanish speaking community!": "Dołącz do hiszpańskojęzycznej społeczności RoboSats!",
"Join RoboSats Russian speaking community!": "Dołącz do rosyjskojęzycznej społeczności RoboSats!",
"Join RoboSats Chinese speaking community!": "Dołącz do chińskojęzycznej społeczności RoboSats!",
"Join RoboSats English speaking community!": "Dołącz do anglojęzycznej społeczności RoboSats!",
"Tell us about a new feature or a bug": "Poinformuj nas o nowej funkcji lub błędzie",
"Github Issues - The Robotic Satoshis Open Source Project": "Problemy z Githubem — projekt Robotic Satoshis Open Source",
"Your Profile": "Twój profil",
"Your robot": "Twój robot",
"One active order #{{orderID}}": "Jedno aktywne zamówienie #{{orderID}}",
"Your current order": "Twoje obecne zamówienie",
"No active orders": "Brak aktywnych zamówień",
"Your token (will not remain here)": "Twój token (nie pozostanie tutaj)",
"Back it up!": "Utwórz kopię zapasową!",
"Cannot remember": "niemożliwe do zapamiętania",
"Rewards and compensations": "Nagrody i rekompensaty",
"Share to earn 100 Sats per trade": "Udostępnij, aby zarobić 100 Sats na transakcję",
"Your referral link": "Twój link referencyjny",
"Your earned rewards": "Twoje zarobione nagrody",
"Claim": "Prawo",
"Invoice for {{amountSats}} Sats": "Faktura za {{amountSats}} Sats",
"Submit": "Składać",
"There it goes, thank you!🥇": "No to idzie, Dziękuję!🥇",
"You have an active order": "Masz aktywne zamówienie",
"You can claim satoshis!": "Możesz ubiegać się o satoshi!",
"Public Buy Orders": "Publiczne zamówienia zakupu",
"Public Sell Orders": "Publiczne zlecenia sprzedaży",
"Today Active Robots": "Dzisiaj aktywne roboty",
"24h Avg Premium": "24h średnia premia",
"Trade Fee": "Opłata handlowa",
"Show community and support links": "Pokaż linki do społeczności i wsparcia",
"Show stats for nerds": "Pokaż statystyki dla nerdów",
"Exchange Summary": "Podsumowanie wymiany",
"Public buy orders": "Publiczne zamówienia kupna",
"Public sell orders": "Zlecenia sprzedaży publicznej",
"Book liquidity": "Płynność księgowa",
"Today active robots": "Dziś aktywne roboty",
"24h non-KYC bitcoin premium": "24h premia bitcoin non-KYC",
"Maker fee": "Opłata producenta",
"Taker fee": "Opłata takera",
"Number of public BUY orders": "Liczba publicznych zamówień BUY",
"Number of public SELL orders": "Liczba publicznych zleceń SPRZEDAŻY",
"ORDER PAGE - OrderPage.js": "Strona szczegółów zamówienia",
"Order Box":"Pole zamówienia",
"Contract":"Kontrakt",
"Active":"Aktywny",
"Seen recently":"Widziany niedawno",
"Inactive":"Nieaktywny",
"(Seller)":"(Sprzedawca)",
"(Buyer)":"(Kupujący)",
"Order maker":"Ekspres zamówienia",
"Order taker":"Przyjmujący zamówienia",
"Order Details":"Szczegóły zamówienia",
"Order status":"Status zamówienia",
"Waiting for maker bond":"Oczekiwanie na maker bond",
"Public":"Publiczny",
"Waiting for taker bond":"Oczekiwanie na taker bond",
"Cancelled":"Anulowane",
"Expired":"Wygasł",
"Waiting for trade collateral and buyer invoice":"Oczekiwanie na zabezpieczenie handlowe i fakturę kupującego",
"Waiting only for seller trade collateral":"Oczekiwanie tylko na zabezpieczenie transakcji sprzedawcy",
"Waiting only for buyer invoice":"Oczekiwanie tylko na fakturę kupującego",
"Sending fiat - In chatroom":"Wysyłanie fiat - W czacie",
"Fiat sent - In chatroom":"Fiat wysłany - W czacie",
"In dispute":"W sporze",
"Collaboratively cancelled":"Anulowano wspólnie",
"Sending satoshis to buyer":"Wysyłanie satoshi do kupującego",
"Sucessful trade":"Udany handel",
"Failed lightning network routing":"Nieudane routingu lightning network",
"Wait for dispute resolution":"Poczekaj na rozstrzygnięcie sporu",
"Maker lost dispute":"Wytwórca przegrał spór",
"Taker lost dispute":"Taker przegrany spór",
"Amount range":"Przedział kwotowy",
"Swap destination":"Miejsce docelowe Swap",
"Accepted payment methods":"Akceptowane metody płatności",
"Others":"Inni",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Premia: {{premium}}%",
"Price and Premium":"Cena i premia",
"Amount of Satoshis":"Ilość Satoshis",
"Premium over market price":"Premia ponad cenę rynkową",
"Order ID":"ID zamówienia",
"Expires in":"Wygasa za",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} prosi o anulowanie współpracy",
"You asked for a collaborative cancellation":"Poprosiłeś o wspólne anulowanie",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Faktura wygasła. Nie potwierdziłeś publikacji zamówienia na czas. Złóż nowe zamówienie.",
"This order has been cancelled by the maker":"To zamówienie zostało anulowane przez producenta",
"Invoice expired. You did not confirm taking the order in time.":"Faktura wygasła. Nie potwierdziłeś przyjęcia zamówienia na czas.",
"Penalty lifted, good to go!":"Kara zniesiona, gotowe!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Nie możesz jeszcze przyjąć zamówienia! Czekać {{timeMin}}m {{timeSec}}s",
"Too low":"Za nisko",
"Too high":"Za wysoko",
"Enter amount of fiat to exchange for bitcoin":"Wprowadź kwotę fiat do wymiany na bitcoin",
"Amount {{currencyCode}}":"Ilość {{currencyCode}}",
"You must specify an amount first":"Musisz najpierw określić kwotę",
"Take Order":"Przyjąć zamówienie",
"Wait until you can take an order":"Poczekaj, aż będziesz mógł złożyć zamówienie",
"Cancel the order?":"Anulować zamówienie?",
"If the order is cancelled now you will lose your bond.":"Jeśli zamówienie zostanie teraz anulowane, stracisz kaucję.",
"Confirm Cancel":"Potwierdź Anuluj",
"The maker is away":"Twórcy nie ma",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Przyjmując to zamówienie, ryzykujesz zmarnowanie czasu. Jeśli twórca nie wywiąże się na czas, otrzymasz rekompensatę w satoshi za 50% kaucji producenta.",
"Collaborative cancel the order?":"Wspólnie anulować zamówienie?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Depozyt transakcji został wysłany. Zamówienie można anulować tylko wtedy, gdy zarówno producent, jak i przyjmujący wyrażą zgodę na anulowanie.",
"Ask for Cancel":"Poproś o anulowanie",
"Cancel":"Anulować",
"Collaborative Cancel":"Wspólna Anuluj",
"Invalid Order Id":"Nieprawidłowy ID zamówienia",
"You must have a robot avatar to see the order details":"Aby zobaczyć szczegóły zamówienia, musisz mieć awatara robota",
"This order has been cancelled collaborativelly":"To zamówienie zostało anulowane wspólnie",
"You are not allowed to see this order":"Nie możesz zobaczyć tego zamówienia",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Robotyczne Satoshi pracujące w magazynie cię nie rozumiały. Proszę wypełnić problem z błędem na Github https://github.com/reckless-satoshi/robosats/issues",
"Order Box": "Pole zamówienia",
"Contract": "Kontrakt",
"Active": "Aktywny",
"Seen recently": "Widziany niedawno",
"Inactive": "Nieaktywny",
"(Seller)": "(Sprzedawca)",
"(Buyer)": "(Kupujący)",
"Order maker": "Ekspres zamówienia",
"Order taker": "Przyjmujący zamówienia",
"Order Details": "Szczegóły zamówienia",
"Order status": "Status zamówienia",
"Waiting for maker bond": "Oczekiwanie na maker bond",
"Public": "Publiczny",
"Waiting for taker bond": "Oczekiwanie na taker bond",
"Cancelled": "Anulowane",
"Expired": "Wygasł",
"Waiting for trade collateral and buyer invoice": "Oczekiwanie na zabezpieczenie handlowe i fakturę kupującego",
"Waiting only for seller trade collateral": "Oczekiwanie tylko na zabezpieczenie transakcji sprzedawcy",
"Waiting only for buyer invoice": "Oczekiwanie tylko na fakturę kupującego",
"Sending fiat - In chatroom": "Wysyłanie fiat - W czacie",
"Fiat sent - In chatroom": "Fiat wysłany - W czacie",
"In dispute": "W sporze",
"Collaboratively cancelled": "Anulowano wspólnie",
"Sending satoshis to buyer": "Wysyłanie satoshi do kupującego",
"Sucessful trade": "Udany handel",
"Failed lightning network routing": "Nieudane routingu lightning network",
"Wait for dispute resolution": "Poczekaj na rozstrzygnięcie sporu",
"Maker lost dispute": "Wytwórca przegrał spór",
"Taker lost dispute": "Taker przegrany spór",
"Amount range": "Przedział kwotowy",
"Swap destination": "Miejsce docelowe Swap",
"Accepted payment methods": "Akceptowane metody płatności",
"Others": "Inni",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Premia: {{premium}}%",
"Price and Premium": "Cena i premia",
"Amount of Satoshis": "Ilość Satoshis",
"Premium over market price": "Premia ponad cenę rynkową",
"Order ID": "ID zamówienia",
"Expires in": "Wygasa za",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} prosi o anulowanie współpracy",
"You asked for a collaborative cancellation": "Poprosiłeś o wspólne anulowanie",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Faktura wygasła. Nie potwierdziłeś publikacji zamówienia na czas. Złóż nowe zamówienie.",
"This order has been cancelled by the maker": "To zamówienie zostało anulowane przez producenta",
"Invoice expired. You did not confirm taking the order in time.": "Faktura wygasła. Nie potwierdziłeś przyjęcia zamówienia na czas.",
"Penalty lifted, good to go!": "Kara zniesiona, gotowe!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Nie możesz jeszcze przyjąć zamówienia! Czekać {{timeMin}}m {{timeSec}}s",
"Too low": "Za nisko",
"Too high": "Za wysoko",
"Enter amount of fiat to exchange for bitcoin": "Wprowadź kwotę fiat do wymiany na bitcoin",
"Amount {{currencyCode}}": "Ilość {{currencyCode}}",
"You must specify an amount first": "Musisz najpierw określić kwotę",
"Take Order": "Przyjąć zamówienie",
"Wait until you can take an order": "Poczekaj, aż będziesz mógł złożyć zamówienie",
"Cancel the order?": "Anulować zamówienie?",
"If the order is cancelled now you will lose your bond.": "Jeśli zamówienie zostanie teraz anulowane, stracisz kaucję.",
"Confirm Cancel": "Potwierdź Anuluj",
"The maker is away": "Twórcy nie ma",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Przyjmując to zamówienie, ryzykujesz zmarnowanie czasu. Jeśli twórca nie wywiąże się na czas, otrzymasz rekompensatę w satoshi za 50% kaucji producenta.",
"Collaborative cancel the order?": "Wspólnie anulować zamówienie?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Depozyt transakcji został wysłany. Zamówienie można anulować tylko wtedy, gdy zarówno producent, jak i przyjmujący wyrażą zgodę na anulowanie.",
"Ask for Cancel": "Poproś o anulowanie",
"Cancel": "Anulować",
"Collaborative Cancel": "Wspólna Anuluj",
"Invalid Order Id": "Nieprawidłowy ID zamówienia",
"You must have a robot avatar to see the order details": "Aby zobaczyć szczegóły zamówienia, musisz mieć awatara robota",
"This order has been cancelled collaborativelly": "To zamówienie zostało anulowane wspólnie",
"You are not allowed to see this order": "Nie możesz zobaczyć tego zamówienia",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Robotyczne Satoshi pracujące w magazynie cię nie rozumiały. Proszę wypełnić problem z błędem na Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js":"Pole czatu",
"You":"Ty",
"Peer":"Par",
"connected":"połączony",
"disconnected":"niepowiązany",
"Type a message":"Wpisz wiadomość",
"Connecting...":"Złączony...",
"Send":"Wysłać",
"The chat has no memory: if you leave, messages are lost.":"Czat nie ma pamięci: jeśli wyjdziesz, wiadomości zostaną utracone.",
"Learn easy PGP encryption.":"Naucz się łatwego szyfrowania PGP.",
"PGP_guide_url":"https://learn.robosats.com/docs/pgp-encryption/",
"CHAT BOX - Chat.js": "Pole czatu",
"You": "Ty",
"Peer": "Par",
"connected": "połączony",
"disconnected": "niepowiązany",
"Type a message": "Wpisz wiadomość",
"Connecting...": "Złączony...",
"Send": "Wysłać",
"The chat has no memory: if you leave, messages are lost.": "Czat nie ma pamięci: jeśli wyjdziesz, wiadomości zostaną utracone.",
"Learn easy PGP encryption.": "Naucz się łatwego szyfrowania PGP.",
"PGP_guide_url": "https://learn.robosats.com/docs/pgp-encryption/",
"CONTRACT BOX - TradeBox.js": "Skrzynka kontraktowa, która prowadzi użytkowników przez cały rurociąg handlowy",
"Contract Box":"Skrzynka kontraktów",
"Contract Box": "Skrzynka kontraktów",
"Robots show commitment to their peers": "Roboty wykazują zaangażowanie w stosunku do rówieśników",
"Lock {{amountSats}} Sats to PUBLISH order": "Zablokuj {{amountSats}} Sats do PUBLIKOWANIA zamówienia",
"Lock {{amountSats}} Sats to TAKE order": "Zablokuj {{amountSats}} Sats aby PRZYJMOWAĆ zamówienie",
"Lock {{amountSats}} Sats as collateral": "Zablokuj {{amountSats}} Sats jako zabezpieczenie",
"Copy to clipboard":"Skopiuj do schowka",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"To jest faktura wstrzymana, zatrzyma się w Twoim portfelu. Opłata zostanie naliczona tylko wtedy, gdy anulujesz lub przegrasz spór.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"To jest faktura wstrzymana, zatrzyma się w Twoim portfelu. Zostanie on przekazany kupującemu po potwierdzeniu otrzymania {{currencyCode}}.",
"Your maker bond is locked":"Twoja obligacja twórcy jest zablokowana",
"Your taker bond is locked":"Twoja więź przyjmującego jest zablokowana",
"Your maker bond was settled":"Twoja obligacja twórcy została uregulowana",
"Your taker bond was settled":"Twoja obligacja nabywcy została uregulowana",
"Your maker bond was unlocked":"Twoja obligacja twórcy została odblokowana",
"Your taker bond was unlocked":"Twoja więź przyjmującego została odblokowana",
"Your order is public":"Twoje zamówienie jest publiczne",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Bądź cierpliwy, gdy roboty sprawdzają książkę. To pole zadzwoni 🔊, gdy robot odbierze Twoje zamówienie, będziesz mieć {{deposit_timer_hours}}g {{deposit_timer_minutes}}m na odpowiedź. Jeśli nie odpowiesz, ryzykujesz utratę więzi.",
"If the order expires untaken, your bond will return to you (no action needed).":"Jeśli zamówienie wygaśnie i nie zostanie zrealizowane, Twoja kaucja zostanie Ci zwrócona (nie musisz nic robić).",
"Enable Telegram Notifications":"Włącz powiadomienia telegramu",
"Enable TG Notifications":"Włącz powiadomienia TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Zostaniesz przeniesiony do rozmowy z botem telegramowym RoboSats. Po prostu otwórz czat i naciśnij Start. Pamiętaj, że włączenie powiadomień telegramów może obniżyć poziom anonimowości.",
"Go back":"Wróć",
"Enable":"Włączyć",
"Telegram enabled":"Telegram włączony",
"Public orders for {{currencyCode}}":"Zamówienia publiczne dla {{currencyCode}}",
"Copy to clipboard": "Skopiuj do schowka",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "To jest faktura wstrzymana, zatrzyma się w Twoim portfelu. Opłata zostanie naliczona tylko wtedy, gdy anulujesz lub przegrasz spór.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "To jest faktura wstrzymana, zatrzyma się w Twoim portfelu. Zostanie on przekazany kupującemu po potwierdzeniu otrzymania {{currencyCode}}.",
"Your maker bond is locked": "Twoja obligacja twórcy jest zablokowana",
"Your taker bond is locked": "Twoja więź przyjmującego jest zablokowana",
"Your maker bond was settled": "Twoja obligacja twórcy została uregulowana",
"Your taker bond was settled": "Twoja obligacja nabywcy została uregulowana",
"Your maker bond was unlocked": "Twoja obligacja twórcy została odblokowana",
"Your taker bond was unlocked": "Twoja więź przyjmującego została odblokowana",
"Your order is public": "Twoje zamówienie jest publiczne",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Bądź cierpliwy, gdy roboty sprawdzają książkę. To pole zadzwoni 🔊, gdy robot odbierze Twoje zamówienie, będziesz mieć {{deposit_timer_hours}}g {{deposit_timer_minutes}}m na odpowiedź. Jeśli nie odpowiesz, ryzykujesz utratę więzi.",
"If the order expires untaken, your bond will return to you (no action needed).": "Jeśli zamówienie wygaśnie i nie zostanie zrealizowane, Twoja kaucja zostanie Ci zwrócona (nie musisz nic robić).",
"Enable Telegram Notifications": "Włącz powiadomienia telegramu",
"Enable TG Notifications": "Włącz powiadomienia TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Zostaniesz przeniesiony do rozmowy z botem telegramowym RoboSats. Po prostu otwórz czat i naciśnij Start. Pamiętaj, że włączenie powiadomień telegramów może obniżyć poziom anonimowości.",
"Go back": "Wróć",
"Enable": "Włączyć",
"Telegram enabled": "Telegram włączony",
"Public orders for {{currencyCode}}": "Zamówienia publiczne dla {{currencyCode}}",
"Premium rank": "Ranga premium",
"Among public {{currencyCode}} orders (higher is cheaper)": "Wśród publicznych zamówień {{currencyCode}} (wyższy jest tańszy)",
"A taker has been found!":"Odnaleziono chętnego!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Poczekaj, aż przyjmujący zablokuje obligację. Jeśli przyjmujący nie zablokuje obligacji na czas, zlecenie zostanie ponownie upublicznione.",
"Submit an invoice for {{amountSats}} Sats":"Prześlij fakturę za {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.":"Przyjmujący jest zaangażowany! Zanim pozwolimy Ci wysłać {{amountFiat}} {{currencyCode}}, chcemy się upewnić, że możesz otrzymać BTC. Podaj prawidłową fakturę za {{amountSats}} Satoshis.",
"Payout Lightning Invoice":"Wypłata faktura Lightning",
"Your invoice looks good!":"Twoja faktura wygląda dobrze!",
"We are waiting for the seller to lock the trade amount.":"Czekamy, aż sprzedający zablokuje kwotę transakcji.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Poczekaj chwilę. Jeśli sprzedający nie dokona depozytu, automatycznie otrzymasz zwrot kaucji. Dodatkowo otrzymasz rekompensatę (sprawdź nagrody w swoim profilu).",
"The trade collateral is locked!":"Zabezpieczenie transakcji jest zablokowane!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Czekamy, aż kupujący wyśle fakturę za błyskawicę. Gdy to zrobi, będziesz mógł bezpośrednio przekazać szczegóły płatności fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).",
"Confirm {{amount}} {{currencyCode}} sent":"Potwierdź wysłanie {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received":"Potwierdź otrzymanie {{amount}} {{currencyCode}}",
"Open Dispute":"Otwarta dyskusja",
"The order has expired":"Zamówienie wygasło",
"Chat with the buyer":"Porozmawiaj z kupującym",
"Chat with the seller":"Porozmawiaj ze sprzedającym",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Powiedz cześć! Bądź pomocny i zwięzły. Poinformuj ich, jak wysłać Ci {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"Kupujący wysłał fiat. Kliknij „Potwierdź otrzymanie” po jego otrzymaniu.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Powiedz cześć! Zapytaj o szczegóły płatności i kliknij „Potwierdź wysłanie”, gdy tylko płatność zostanie wysłana.",
"Wait for the seller to confirm he has received the payment.":"Poczekaj, aż sprzedawca potwierdzi, że otrzymał płatność.",
"Confirm you received {{amount}} {{currencyCode}}?":"Potwierdź otrzymanie {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Potwierdzenie otrzymania fiata sfinalizuje transakcję. Satoshi w depozycie zostaną wydane kupującemu. Potwierdź dopiero po otrzymaniu {{amount}} {{currencyCode}} na Twoje konto. Ponadto, jeśli otrzymałeś {{currencyCode}} i nie potwierdzisz odbioru, ryzykujesz utratę kaucji.",
"Confirm":"Potwierdzać",
"Trade finished!":"Handel zakończony!",
"rate_robosats":"Co myślisz o <1>RoboSats<//1>?",
"Thank you! RoboSats loves you too ❤️":"Dziękuję! RoboSats też cię kocha ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats staje się lepszy dzięki większej płynności i użytkownikom. Powiedz znajomemu bitcoinerowi o Robosats!",
"Thank you for using Robosats!":"Dziękujemy za korzystanie z Robosatów!",
"let_us_know_hot_to_improve":"Daj nam znać, jak platforma mogłaby się ulepszyć (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Zacznij jeszcze raz",
"Attempting Lightning Payment":"Próba zapłaty Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats próbuje zapłacić fakturę za błyskawicę. Pamiętaj, że węzły pioruna muszą być online, aby otrzymywać płatności.",
"Retrying!":"Ponawianie!",
"Lightning Routing Failed":"Lightning Niepowodzenie routingu",
"Your invoice has expired or more than 3 payment attempts have been made.":"Twoja faktura wygasła lub wykonano więcej niż 3 próby płatności. Muun Wallet nie jest zalecany. ",
"Check the list of compatible wallets":"Sprawdź listę kompatybilnych wallets",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats będzie próbował zapłacić fakturę 3 razy co 1 minut. Jeśli to się nie powiedzie, będziesz mógł wystawić nową fakturę. Sprawdź, czy masz wystarczającą płynność przychodzącą. Pamiętaj, że węzły pioruna muszą być online, aby otrzymywać płatności.",
"Next attempt in":"Następna próba za",
"Do you want to open a dispute?":"Chcesz otworzyć spór?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Pracownicy RoboSats przeanalizują przedstawione oświadczenia i dowody. Musisz zbudować kompletną sprawę, ponieważ personel nie może czytać czatu. W oświadczeniu najlepiej podać metodę kontaktu z palnikiem. Satoshi w depozycie handlowym zostaną wysłane do zwycięzcy sporu, podczas gdy przegrany sporu straci obligację.",
"Disagree":"Nie zgadzać się",
"Agree and open dispute":"Zgadzam się i otwieram spór",
"A dispute has been opened":"Spór został otwarty",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Prosimy o przesłanie oświadczenia. Jasno i konkretnie opisz, co się stało, i przedstaw niezbędne dowody. MUSISZ podać metodę kontaktu: adres e-mail nagrywarki, XMPP lub nazwę użytkownika telegramu, aby skontaktować się z personelem. Spory są rozwiązywane według uznania prawdziwych robotów (czyli ludzi), więc bądź tak pomocny, jak to tylko możliwe, aby zapewnić sprawiedliwy wynik. Maksymalnie 5000 znaków.",
"Submit dispute statement":"Prześlij oświadczenie o sporze",
"We have received your statement":"Otrzymaliśmy Twoje oświadczenie",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Czekamy na wyciąg z Twojego odpowiednika handlowego. Jeśli wahasz się co do stanu sporu lub chcesz dodać więcej informacji, skontaktuj się z robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Prosimy o zapisanie informacji potrzebnych do identyfikacji zamówienia i płatności: identyfikator zamówienia; skróty płatności obligacji lub escrow (sprawdź w swoim portfelu błyskawicy); dokładna ilość satoshi; i pseudonim robota. Będziesz musiał zidentyfikować się jako użytkownik zaangażowany w ten handel za pośrednictwem poczty elektronicznej (lub innych metod kontaktu).",
"We have the statements":"We have the statements",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Oba oświadczenia wpłynęły, poczekaj, aż personel rozwiąże spór. Jeśli wahasz się co do stanu sporu lub chcesz dodać więcej informacji, skontaktuj się z robosats@protonmail.com. Jeśli nie podałeś metody kontaktu lub nie masz pewności, czy dobrze napisałeś, napisz do nas natychmiast.",
"You have won the dispute":"You have won the dispute",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Możesz ubiegać się o kwotę rozstrzygnięcia sporu (depozyt i wierność) z nagród w swoim profilu. Jeśli jest coś, w czym personel może pomóc, nie wahaj się skontaktować się z robosats@protonmail.com (lub za pomocą dostarczonej metody kontaktu z palnikiem).",
"You have lost the dispute":"Przegrałeś spór",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"Niestety przegrałeś spór. Jeśli uważasz, że to pomyłka, możesz poprosić o ponowne otwarcie sprawy za pośrednictwem poczty e-mail na adres robosats@protonmail.com. Jednak szanse na ponowne zbadanie sprawy są niewielkie.",
"A taker has been found!": "Odnaleziono chętnego!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Poczekaj, aż przyjmujący zablokuje obligację. Jeśli przyjmujący nie zablokuje obligacji na czas, zlecenie zostanie ponownie upublicznione.",
"Submit an invoice for {{amountSats}} Sats": "Prześlij fakturę za {{amountSats}} Sats",
"The taker is committed! Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC. Please provide a valid invoice for {{amountSats}} Satoshis.": "Przyjmujący jest zaangażowany! Zanim pozwolimy Ci wysłać {{amountFiat}} {{currencyCode}}, chcemy się upewnić, że możesz otrzymać BTC. Podaj prawidłową fakturę za {{amountSats}} Satoshis.",
"Payout Lightning Invoice": "Wypłata faktura Lightning",
"Your invoice looks good!": "Twoja faktura wygląda dobrze!",
"We are waiting for the seller to lock the trade amount.": "Czekamy, aż sprzedający zablokuje kwotę transakcji.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Poczekaj chwilę. Jeśli sprzedający nie dokona depozytu, automatycznie otrzymasz zwrot kaucji. Dodatkowo otrzymasz rekompensatę (sprawdź nagrody w swoim profilu).",
"The trade collateral is locked!": "Zabezpieczenie transakcji jest zablokowane!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Czekamy, aż kupujący wyśle fakturę za błyskawicę. Gdy to zrobi, będziesz mógł bezpośrednio przekazać szczegóły płatności fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).",
"Confirm {{amount}} {{currencyCode}} sent": "Potwierdź wysłanie {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received": "Potwierdź otrzymanie {{amount}} {{currencyCode}}",
"Open Dispute": "Otwarta dyskusja",
"The order has expired": "Zamówienie wygasło",
"Chat with the buyer": "Porozmawiaj z kupującym",
"Chat with the seller": "Porozmawiaj ze sprzedającym",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Powiedz cześć! Bądź pomocny i zwięzły. Poinformuj ich, jak wysłać Ci {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Kupujący wysłał fiat. Kliknij „Potwierdź otrzymanie” po jego otrzymaniu.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Powiedz cześć! Zapytaj o szczegóły płatności i kliknij „Potwierdź wysłanie”, gdy tylko płatność zostanie wysłana.",
"Wait for the seller to confirm he has received the payment.": "Poczekaj, aż sprzedawca potwierdzi, że otrzymał płatność.",
"Confirm you received {{amount}} {{currencyCode}}?": "Potwierdź otrzymanie {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Potwierdzenie otrzymania fiata sfinalizuje transakcję. Satoshi w depozycie zostaną wydane kupującemu. Potwierdź dopiero po otrzymaniu {{amount}} {{currencyCode}} na Twoje konto. Ponadto, jeśli otrzymałeś {{currencyCode}} i nie potwierdzisz odbioru, ryzykujesz utratę kaucji.",
"Confirm": "Potwierdzać",
"Trade finished!": "Handel zakończony!",
"rate_robosats": "Co myślisz o <1>RoboSats<//1>?",
"Thank you! RoboSats loves you too ❤️": "Dziękuję! RoboSats też cię kocha ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats staje się lepszy dzięki większej płynności i użytkownikom. Powiedz znajomemu bitcoinerowi o Robosats!",
"Thank you for using Robosats!": "Dziękujemy za korzystanie z Robosatów!",
"let_us_know_hot_to_improve": "Daj nam znać, jak platforma mogłaby się ulepszyć (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Zacznij jeszcze raz",
"Attempting Lightning Payment": "Próba zapłaty Lightning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats próbuje zapłacić fakturę za błyskawicę. Pamiętaj, że węzły pioruna muszą być online, aby otrzymywać płatności.",
"Retrying!": "Ponawianie!",
"Lightning Routing Failed": "Lightning Niepowodzenie routingu",
"Your invoice has expired or more than 3 payment attempts have been made.": "Twoja faktura wygasła lub wykonano więcej niż 3 próby płatności. Muun Wallet nie jest zalecany. ",
"Check the list of compatible wallets": "Sprawdź listę kompatybilnych wallets",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats będzie próbował zapłacić fakturę 3 razy co 1 minut. Jeśli to się nie powiedzie, będziesz mógł wystawić nową fakturę. Sprawdź, czy masz wystarczającą płynność przychodzącą. Pamiętaj, że węzły pioruna muszą być online, aby otrzymywać płatności.",
"Next attempt in": "Następna próba za",
"Do you want to open a dispute?": "Chcesz otworzyć spór?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Pracownicy RoboSats przeanalizują przedstawione oświadczenia i dowody. Musisz zbudować kompletną sprawę, ponieważ personel nie może czytać czatu. W oświadczeniu najlepiej podać metodę kontaktu z palnikiem. Satoshi w depozycie handlowym zostaną wysłane do zwycięzcy sporu, podczas gdy przegrany sporu straci obligację.",
"Disagree": "Nie zgadzać się",
"Agree and open dispute": "Zgadzam się i otwieram spór",
"A dispute has been opened": "Spór został otwarty",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Prosimy o przesłanie oświadczenia. Jasno i konkretnie opisz, co się stało, i przedstaw niezbędne dowody. MUSISZ podać metodę kontaktu: adres e-mail nagrywarki, XMPP lub nazwę użytkownika telegramu, aby skontaktować się z personelem. Spory są rozwiązywane według uznania prawdziwych robotów (czyli ludzi), więc bądź tak pomocny, jak to tylko możliwe, aby zapewnić sprawiedliwy wynik. Maksymalnie 5000 znaków.",
"Submit dispute statement": "Prześlij oświadczenie o sporze",
"We have received your statement": "Otrzymaliśmy Twoje oświadczenie",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Czekamy na wyciąg z Twojego odpowiednika handlowego. Jeśli wahasz się co do stanu sporu lub chcesz dodać więcej informacji, skontaktuj się z robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Prosimy o zapisanie informacji potrzebnych do identyfikacji zamówienia i płatności: identyfikator zamówienia; skróty płatności obligacji lub escrow (sprawdź w swoim portfelu błyskawicy); dokładna ilość satoshi; i pseudonim robota. Będziesz musiał zidentyfikować się jako użytkownik zaangażowany w ten handel za pośrednictwem poczty elektronicznej (lub innych metod kontaktu).",
"We have the statements": "We have the statements",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Oba oświadczenia wpłynęły, poczekaj, aż personel rozwiąże spór. Jeśli wahasz się co do stanu sporu lub chcesz dodać więcej informacji, skontaktuj się z robosats@protonmail.com. Jeśli nie podałeś metody kontaktu lub nie masz pewności, czy dobrze napisałeś, napisz do nas natychmiast.",
"You have won the dispute": "You have won the dispute",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Możesz ubiegać się o kwotę rozstrzygnięcia sporu (depozyt i wierność) z nagród w swoim profilu. Jeśli jest coś, w czym personel może pomóc, nie wahaj się skontaktować się z robosats@protonmail.com (lub za pomocą dostarczonej metody kontaktu z palnikiem).",
"You have lost the dispute": "Przegrałeś spór",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Niestety przegrałeś spór. Jeśli uważasz, że to pomyłka, możesz poprosić o ponowne otwarcie sprawy za pośrednictwem poczty e-mail na adres robosats@protonmail.com. Jednak szanse na ponowne zbadanie sprawy są niewielkie.",
"INFO DIALOG - InfoDiagog.js":"Informacje i wyjaśnienia dotyczące aplikacji oraz warunki użytkowania",
"Close":"Blisko",
"What is RoboSats?":"Czym jest RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"Jest to wymiana peer-to-peer BTC/FIAT na lightning.",
"RoboSats is an open source project ":"RoboSats to projekt open source ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.",
"(GitHub).":"(GitHub).",
"How does it work?":"Jak to działa?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"AnonymousAlice01 chce sprzedać bitcoiny. Ogłasza zamówienie sprzedaży. BafflingBob02 chce kupić bitcoiny i przyjmuje zamówienie Alice. Obaj muszą stworzyć małą więź za pomocą błyskawicy, aby udowodnić, że są prawdziwymi robotami. Następnie Alice księguje zabezpieczenie handlowe również za pomocą faktury za błyskawiczne wstrzymanie. RoboSats blokuje fakturę, dopóki Alice nie potwierdzi, że otrzymała fiat, a następnie satoshi są wydawane Bobowi. Ciesz się swoim satoshi, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"W żadnym momencie AnonymousAlice01 i BafflingBob02 nie muszą powierzać sobie nawzajem funduszy bitcoin. W przypadku konfliktu pracownicy RoboSats pomogą rozwiązać spór.",
"You can find a step-by-step description of the trade pipeline in ":"Szczegółowy opis rurociągu handlowego znajdziesz w ",
"How it works":"Jak to działa",
"You can also check the full guide in ":"Możesz również sprawdzić pełny przewodnik w",
"How to use":"Jak używać",
"What payment methods are accepted?":"Jakie metody płatności są akceptowane?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Wszystkie, o ile są szybkie. Możesz zapisać preferowane metody płatności. Będziesz musiał dopasować się do partnera, który również akceptuje tę metodę. Etap wymiany fiata ma czas wygaśnięcia wynoszący 24 godziny, zanim spór zostanie automatycznie otwarty. Gorąco polecamy korzystanie z szybkich kolejek płatniczych fiat.",
"Are there trade limits?":"Are there trade limits?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Maksymalny rozmiar pojedynczej transakcji to {{maxAmount}} Satoshis, aby zminimalizować błąd routingu błyskawicy. Nie ma ograniczeń co do liczby transakcji dziennie. Robot może mieć tylko jedno zamówienie na raz. Możesz jednak używać wielu robotów jednocześnie w różnych przeglądarkach (pamiętaj, aby wykonać kopię zapasową tokenów robota!).",
"Is RoboSats private?":"Is RoboSats private?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats nigdy nie zapyta Cię o Twoje imię i nazwisko, kraj lub dowód osobisty. RoboSats nie dba o twoje fundusze i nie dba o to, kim jesteś. RoboSats nie zbiera ani nie przechowuje żadnych danych osobowych. Aby uzyskać najlepszą anonimowość, użyj przeglądarki Tor i uzyskaj dostęp do ukrytej usługi .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Twój partner handlowy jest jedynym, który może potencjalnie odgadnąć cokolwiek o Tobie. Niech Twój czat będzie krótki i zwięzły. Unikaj podawania nieistotnych informacji innych niż bezwzględnie konieczne do dokonania płatności fiducjarnej.",
"What are the risks?":"What are the risks?",
"This is an experimental application, things could go wrong. Trade small amounts!":"To jest eksperymentalna aplikacja, coś może pójść nie tak. Handluj małymi kwotami!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Sprzedający ponosi takie samo ryzyko obciążenia zwrotnego, jak w przypadku każdej innej usługi peer-to-peer. Paypal lub karty kredytowe nie są zalecane.",
"What is the trust model?":"Jaki jest model zaufania?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Kupujący i sprzedający nigdy nie muszą sobie ufać. Potrzebne jest pewne zaufanie do RoboSatów, ponieważ powiązanie wstrzymanej faktury sprzedającego i płatności kupującego nie jest (jeszcze) atomowe. Ponadto spory są rozwiązywane przez pracowników RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Aby być całkowicie jasnym. Wymagania dotyczące zaufania są zminimalizowane. Jednak wciąż jest jeden sposób, w jaki RoboSaty mogą uciec z twoim satoshi: nie udostępniając satoshi kupującemu. Można argumentować, że takie posunięcie nie leży w interesie RoboSatów, ponieważ zaszkodziłoby to reputacji za niewielką wypłatę. Jednak powinieneś się wahać i handlować tylko małymi ilościami na raz. W przypadku dużych kwot skorzystaj z usługi depozytowej onchain, takiej jak Bisq",
"You can build more trust on RoboSats by inspecting the source code.":"Możesz zbudować większe zaufanie do RoboSats, sprawdzając kod źródłowy.",
"Project source code":"Kod źródłowy projektu",
"What happens if RoboSats suddenly disappears?":"Co się stanie, jeśli RoboSats nagle znikną?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Twoje satelity powrócą do ciebie. Każda wstrzymana faktura, która nie zostanie rozliczona, zostanie automatycznie zwrócona, nawet jeśli RoboSats przestanie działać na zawsze. Dotyczy to zarówno obligacji zabezpieczonych, jak i depozytów handlowych. Istnieje jednak małe okno między sprzedającym potwierdzenie otrzymania FIATA a momentem, w którym kupujący otrzyma satoshi, kiedy środki mogą zostać trwale utracone, jeśli RoboSats zniknie. To okno trwa około 1 sekundy. Upewnij się, że masz wystarczającą płynność przychodzącą, aby uniknąć awarii routingu. Jeśli masz jakiś problem, skontaktuj się z publicznymi kanałami RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"W wielu krajach korzystanie z RoboSats nie różni się od korzystania z serwisu Ebay lub Craiglist. Twoje przepisy mogą się różnić. Twoim obowiązkiem jest przestrzegać.",
"Is RoboSats legal in my country?":"Czy RoboSats jest legalny w moim kraju?",
"Disclaimer":"Zastrzeżenie",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Ta aplikacja lightning jest dostarczana w takiej postaci, w jakiej jest. Jest w aktywnym rozwoju: handluje z najwyższą ostrożnością. Nie ma wsparcia prywatnego. Wsparcie jest oferowane wyłącznie za pośrednictwem kanałów publicznych ",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats nigdy się z tobą nie skontaktuje. RoboSats na pewno nigdy nie poprosi o token robota."
"INFO DIALOG - InfoDiagog.js": "Informacje i wyjaśnienia dotyczące aplikacji oraz warunki użytkowania",
"Close": "Blisko",
"What is RoboSats?": "Czym jest RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Jest to wymiana peer-to-peer BTC/FIAT na lightning.",
"RoboSats is an open source project ": "RoboSats to projekt open source ",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.",
"(GitHub).": "(GitHub).",
"How does it work?": "Jak to działa?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "AnonymousAlice01 chce sprzedać bitcoiny. Ogłasza zamówienie sprzedaży. BafflingBob02 chce kupić bitcoiny i przyjmuje zamówienie Alice. Obaj muszą stworzyć małą więź za pomocą błyskawicy, aby udowodnić, że są prawdziwymi robotami. Następnie Alice księguje zabezpieczenie handlowe również za pomocą faktury za błyskawiczne wstrzymanie. RoboSats blokuje fakturę, dopóki Alice nie potwierdzi, że otrzymała fiat, a następnie satoshi są wydawane Bobowi. Ciesz się swoim satoshi, Bob!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "W żadnym momencie AnonymousAlice01 i BafflingBob02 nie muszą powierzać sobie nawzajem funduszy bitcoin. W przypadku konfliktu pracownicy RoboSats pomogą rozwiązać spór.",
"You can find a step-by-step description of the trade pipeline in ": "Szczegółowy opis rurociągu handlowego znajdziesz w ",
"How it works": "Jak to działa",
"You can also check the full guide in ": "Możesz również sprawdzić pełny przewodnik w",
"How to use": "Jak używać",
"What payment methods are accepted?": "Jakie metody płatności są akceptowane?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Wszystkie, o ile są szybkie. Możesz zapisać preferowane metody płatności. Będziesz musiał dopasować się do partnera, który również akceptuje tę metodę. Etap wymiany fiata ma czas wygaśnięcia wynoszący 24 godziny, zanim spór zostanie automatycznie otwarty. Gorąco polecamy korzystanie z szybkich kolejek płatniczych fiat.",
"Are there trade limits?": "Are there trade limits?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Maksymalny rozmiar pojedynczej transakcji to {{maxAmount}} Satoshis, aby zminimalizować błąd routingu błyskawicy. Nie ma ograniczeń co do liczby transakcji dziennie. Robot może mieć tylko jedno zamówienie na raz. Możesz jednak używać wielu robotów jednocześnie w różnych przeglądarkach (pamiętaj, aby wykonać kopię zapasową tokenów robota!).",
"Is RoboSats private?": "Is RoboSats private?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats nigdy nie zapyta Cię o Twoje imię i nazwisko, kraj lub dowód osobisty. RoboSats nie dba o twoje fundusze i nie dba o to, kim jesteś. RoboSats nie zbiera ani nie przechowuje żadnych danych osobowych. Aby uzyskać najlepszą anonimowość, użyj przeglądarki Tor i uzyskaj dostęp do ukrytej usługi .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Twój partner handlowy jest jedynym, który może potencjalnie odgadnąć cokolwiek o Tobie. Niech Twój czat będzie krótki i zwięzły. Unikaj podawania nieistotnych informacji innych niż bezwzględnie konieczne do dokonania płatności fiducjarnej.",
"What are the risks?": "What are the risks?",
"This is an experimental application, things could go wrong. Trade small amounts!": "To jest eksperymentalna aplikacja, coś może pójść nie tak. Handluj małymi kwotami!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Sprzedający ponosi takie samo ryzyko obciążenia zwrotnego, jak w przypadku każdej innej usługi peer-to-peer. Paypal lub karty kredytowe nie są zalecane.",
"What is the trust model?": "Jaki jest model zaufania?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Kupujący i sprzedający nigdy nie muszą sobie ufać. Potrzebne jest pewne zaufanie do RoboSatów, ponieważ powiązanie wstrzymanej faktury sprzedającego i płatności kupującego nie jest (jeszcze) atomowe. Ponadto spory są rozwiązywane przez pracowników RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Aby być całkowicie jasnym. Wymagania dotyczące zaufania są zminimalizowane. Jednak wciąż jest jeden sposób, w jaki RoboSaty mogą uciec z twoim satoshi: nie udostępniając satoshi kupującemu. Można argumentować, że takie posunięcie nie leży w interesie RoboSatów, ponieważ zaszkodziłoby to reputacji za niewielką wypłatę. Jednak powinieneś się wahać i handlować tylko małymi ilościami na raz. W przypadku dużych kwot skorzystaj z usługi depozytowej onchain, takiej jak Bisq",
"You can build more trust on RoboSats by inspecting the source code.": "Możesz zbudować większe zaufanie do RoboSats, sprawdzając kod źródłowy.",
"Project source code": "Kod źródłowy projektu",
"What happens if RoboSats suddenly disappears?": "Co się stanie, jeśli RoboSats nagle znikną?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Twoje satelity powrócą do ciebie. Każda wstrzymana faktura, która nie zostanie rozliczona, zostanie automatycznie zwrócona, nawet jeśli RoboSats przestanie działać na zawsze. Dotyczy to zarówno obligacji zabezpieczonych, jak i depozytów handlowych. Istnieje jednak małe okno między sprzedającym potwierdzenie otrzymania FIATA a momentem, w którym kupujący otrzyma satoshi, kiedy środki mogą zostać trwale utracone, jeśli RoboSats zniknie. To okno trwa około 1 sekundy. Upewnij się, że masz wystarczającą płynność przychodzącą, aby uniknąć awarii routingu. Jeśli masz jakiś problem, skontaktuj się z publicznymi kanałami RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "W wielu krajach korzystanie z RoboSats nie różni się od korzystania z serwisu Ebay lub Craiglist. Twoje przepisy mogą się różnić. Twoim obowiązkiem jest przestrzegać.",
"Is RoboSats legal in my country?": "Czy RoboSats jest legalny w moim kraju?",
"Disclaimer": "Zastrzeżenie",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Ta aplikacja lightning jest dostarczana w takiej postaci, w jakiej jest. Jest w aktywnym rozwoju: handluje z najwyższą ostrożnością. Nie ma wsparcia prywatnego. Wsparcie jest oferowane wyłącznie za pośrednictwem kanałów publicznych ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats nigdy się z tobą nie skontaktuje. RoboSats na pewno nigdy nie poprosi o token robota."
}

View File

@ -3,520 +3,513 @@
"You are not using RoboSats privately": "Вы не используете RoboSats приватно",
"desktop_unsafe_alert": "Некоторые функции отключены для Вашей безопасности (чат) и без них у Вас не будет возможности завершить сделку. Чтобы защитить Вашу конфиденциальность и полностью включить RoboSats, используйте <1>Tor Browser</1> и посетите <3>Onion</3> сайт.",
"phone_unsafe_alert": "У Вас не будет возможности завершить сделку. Используйте <1>Tor Browser</1> и посетите <3>Onion</3> сайт.",
"Hide":"Скрыть",
"Hide": "Скрыть",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Простой и Конфиденциальный LN P2P Обмен",
"This is your trading avatar":"Это Ваш торговый аватар",
"Store your token safely":"Храните Ваш токен в безопасности",
"A robot avatar was found, welcome back!":"Найден аватар робота, добро пожаловать!",
"Copied!":"Скопировано!",
"Generate a new token":"Создать новый токен",
"Generate Robot":"Создать Робота",
"You must enter a new token first":"Сначала необходимо ввести новый токен",
"Make Order":"Создать ордер",
"Info":"Инфо",
"View Book":"Книга Ордеров",
"Learn RoboSats":"Изучить RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.":"Вы собираетесь посетить Learn RoboSats. На нём размещены учебные пособия и документация, которые помогут Вам научиться использовать RoboSats и понять, как он работает.",
"Let's go!":"Поехали!",
"Save token and PGP credentials to file":"Сохранить токен и учетные данные PGP в файл",
"This is your trading avatar": "Это Ваш торговый аватар",
"Store your token safely": "Храните Ваш токен в безопасности",
"A robot avatar was found, welcome back!": "Найден аватар робота, добро пожаловать!",
"Copied!": "Скопировано!",
"Generate a new token": "Создать новый токен",
"Generate Robot": "Создать Робота",
"You must enter a new token first": "Сначала необходимо ввести новый токен",
"Make Order": "Создать ордер",
"Info": "Инфо",
"View Book": "Книга Ордеров",
"Learn RoboSats": "Изучить RoboSats",
"You are about to visit Learn RoboSats. It hosts tutorials and documentation to help you learn how to use RoboSats and understand how it works.": "Вы собираетесь посетить Learn RoboSats. На нём размещены учебные пособия и документация, которые помогут Вам научиться использовать RoboSats и понять, как он работает.",
"Let's go!": "Поехали!",
"Save token and PGP credentials to file": "Сохранить токен и учетные данные PGP в файл",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order":"Ордер",
"Customize":"Настроить",
"Buy or Sell Bitcoin?":"Купить или Продать Биткойн?",
"Buy":"Купить",
"Sell":"Продать",
"Amount":"Сумма",
"Amount of fiat to exchange for bitcoin":"Количество фиата для обмена на Биткойн",
"Invalid":"Неверно",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.":"Введите предпочитаемые способы оплаты фиатными деньгами. Настоятельно рекомендуется использовать быстрые методы.",
"Must be shorter than 65 characters":"Должно быть короче 65и символов",
"Swap Destination(s)":"Поменять место(а) назначения",
"Fiat Payment Method(s)":"Способ(ы) оплаты",
"You can add any method":"Вы можете добавить любой метод",
"Add New":"Добавить новый",
"Choose a Pricing Method":"Выберите метод расчёта цен",
"Relative":"Относительный",
"Let the price move with the market":"Пусть цена движется вместе с рынком",
"Premium over Market (%)":"Наценка по сравнению с рынком (%)",
"Explicit":"Точный",
"Set a fix amount of satoshis":"Установить фиксированное количество Сатоши",
"Satoshis":"Сатоши",
"Fixed price:":"Фиксированная цена:",
"Order current rate:":"Текущий курс ордера:",
"Your order fixed exchange rate":"Фиксированный курс обмена Вашего ордера",
"Your order's current exchange rate. Rate will move with the market.":"Текущий обменный курс Вашего ордера. Курс будет меняться вместе с рынком.",
"Let the taker chose an amount within the range":"Позволить тейкеру выбрать сумму в пределах диапазона",
"Enable Amount Range":"Включить диапазон сумм",
"Order": "Ордер",
"Customize": "Настроить",
"Buy or Sell Bitcoin?": "Купить или Продать Биткойн?",
"Buy": "Купить",
"Sell": "Продать",
"Amount": "Сумма",
"Amount of fiat to exchange for bitcoin": "Количество фиата для обмена на Биткойн",
"Invalid": "Неверно",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Введите предпочитаемые способы оплаты фиатными деньгами. Настоятельно рекомендуется использовать быстрые методы.",
"Must be shorter than 65 characters": "Должно быть короче 65и символов",
"Swap Destination(s)": "Поменять место(а) назначения",
"Fiat Payment Method(s)": "Способ(ы) оплаты",
"You can add any method": "Вы можете добавить любой метод",
"Add New": "Добавить новый",
"Choose a Pricing Method": "Выберите метод расчёта цен",
"Relative": "Относительный",
"Let the price move with the market": "Пусть цена движется вместе с рынком",
"Premium over Market (%)": "Наценка по сравнению с рынком (%)",
"Explicit": "Точный",
"Set a fix amount of satoshis": "Установить фиксированное количество Сатоши",
"Satoshis": "Сатоши",
"Fixed price:": "Фиксированная цена:",
"Order current rate:": "Текущий курс ордера:",
"Your order fixed exchange rate": "Фиксированный курс обмена Вашего ордера",
"Your order's current exchange rate. Rate will move with the market.": "Текущий обменный курс Вашего ордера. Курс будет меняться вместе с рынком.",
"Let the taker chose an amount within the range": "Позволить тейкеру выбрать сумму в пределах диапазона",
"Enable Amount Range": "Включить диапазон сумм",
"From": "От",
"to":"до",
"Expiry Timers":"Таймеры истечения срока",
"Public Duration (HH:mm)":"Публичная продолжительность (ЧЧ: мм)",
"Escrow Deposit Time-Out (HH:mm)":"Время ожидания эскроу (ЧЧ: мм)",
"Set the skin-in-the-game, increase for higher safety assurance":"Установите залог, увеличьте для большей безопасности.",
"Fidelity Bond Size":"Размер залога",
"Allow bondless takers":"Разрешить тейкеров без залога",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats":"СКОРО - Высокий риск! Ограничено до {{limitSats}} тысяч Сатоши",
"You must fill the order correctly":"Вы должны заполнить ордер правильно",
"Create Order":"Создать Ордер",
"Back":"Назад",
"Create an order for ":"Создать ордер на ",
"Create a BTC buy order for ":"Создать ордер на покупку BTC за ",
"Create a BTC sell order for ":"Создать ордер на продажу BTC за ",
" of {{satoshis}} Satoshis":" {{satoshis}} Сатоши",
" at market price":" по рыночной цене",
" at a {{premium}}% premium":" с наценкой {{premium}}%",
" at a {{discount}}% discount":" со скидкой {{discount}}%",
"Must be less than {{max}}%":"Должно быть меньше чем {{max}}%",
"Must be more than {{min}}%":"Должно быть больше чем {{min}}%",
"to": "до",
"Expiry Timers": "Таймеры истечения срока",
"Public Duration (HH:mm)": "Публичная продолжительность (ЧЧ: мм)",
"Escrow Deposit Time-Out (HH:mm)": "Время ожидания эскроу (ЧЧ: мм)",
"Set the skin-in-the-game, increase for higher safety assurance": "Установите залог, увеличьте для большей безопасности.",
"Fidelity Bond Size": "Размер залога",
"Allow bondless takers": "Разрешить тейкеров без залога",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "СКОРО - Высокий риск! Ограничено до {{limitSats}} тысяч Сатоши",
"You must fill the order correctly": "Вы должны заполнить ордер правильно",
"Create Order": "Создать Ордер",
"Back": "Назад",
"Create an order for ": "Создать ордер на ",
"Create a BTC buy order for ": "Создать ордер на покупку BTC за ",
"Create a BTC sell order for ": "Создать ордер на продажу BTC за ",
" of {{satoshis}} Satoshis": " {{satoshis}} Сатоши",
" at market price": " по рыночной цене",
" at a {{premium}}% premium": " с наценкой {{premium}}%",
" at a {{discount}}% discount": " со скидкой {{discount}}%",
"Must be less than {{max}}%": "Должно быть меньше чем {{max}}%",
"Must be more than {{min}}%": "Должно быть больше чем {{min}}%",
"Must be less than {{maxSats}": "Должно быть меньше чем {{maxSats}}",
"Must be more than {{minSats}}": "Должно быть больше чем {{minSats}}",
"Store your robot token":"Сохранить токен робота",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.":"В будущем Вам может понадобиться восстановить аватар робота: сохраните его в безопасном месте. Вы можете просто скопировать его в другое приложение.",
"Done":"Готово",
"You do not have a robot avatar":"У Вас нет аватара робота",
"You need to generate a robot avatar in order to become an order maker":"Вам нужно сгенерировать аватар робота, чтобы стать мейкером ордеров",
"Store your robot token": "Сохранить токен робота",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "В будущем Вам может понадобиться восстановить аватар робота: сохраните его в безопасном месте. Вы можете просто скопировать его в другое приложение.",
"Done": "Готово",
"You do not have a robot avatar": "У Вас нет аватара робота",
"You need to generate a robot avatar in order to become an order maker": "Вам нужно сгенерировать аватар робота, чтобы стать мейкером ордеров",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified":"Не указано",
"Instant SEPA":"Мгновенный SEPA",
"Amazon GiftCard":"Подарочная карта Amazon",
"Google Play Gift Code":"Подарочный код Google Play",
"Cash F2F":"Наличные F2F",
"On-Chain BTC":"Ончейн BTC",
"not specified": "Не указано",
"Instant SEPA": "Мгновенный SEPA",
"Amazon GiftCard": "Подарочная карта Amazon",
"Google Play Gift Code": "Подарочный код Google Play",
"Cash F2F": "Наличные F2F",
"On-Chain BTC": "Ончейн BTC",
"BOOK PAGE - BookPage.js":"The Book Order page",
"Seller":"Продавец",
"Buyer":"Покупатель",
"I want to":"Я хочу",
"Select Order Type":"Выбрать тип ордера",
"ANY_type":"Любой тип",
"ANY_currency":"Любую валюту",
"BUY":"Купить",
"SELL":"Продать",
"and receive":"и получить",
"and pay with":"и оплатить",
"and use":"и использовать",
"Select Payment Currency":"Выбрать Валюту",
"Robot":"Робот",
"Is":"Кто",
"Currency":"Валюта",
"Payment Method":"Метод оплаты",
"Pay":"Платить",
"Price":"Цена",
"Premium":"Наценка",
"You are SELLING BTC for {{currencyCode}}":"Вы ПРОДАЁТЕ BTC за {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}":"Вы ПОКУПАЕТЕ BTC за {{currencyCode}}",
"You are looking at all":"Вы смотрите на все",
"No orders found to sell BTC for {{currencyCode}}":"Не найдено ордеров на продажу BTC за {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}":"Не найдено ордеров на покупку BTC за {{currencyCode}}",
"Filter has no results":"Фильтр не дал результатов",
"Be the first one to create an order":"Будьте первым, кто создаст ордер",
"Orders per page:":"Заказов на страницу:",
"No rows":"Нет строк",
"No results found.":"Результаты не найдены.",
"An error occurred.":"Произошла ошибка.",
"Columns":"Столбцы",
"Select columns":"Выбрать столбцы",
"Find column":"Найти столбец",
"Column title":"Заголовок столбца",
"Reorder column":"Изменить порядок столбца",
"Show all":"Показать все",
"Hide all":"Скрыть все",
"Add filter":"Добавить фильтр",
"Delete":"Удалить",
"Logic operator":"Логический оператор",
"Operator":"Оператор",
"And":"И",
"Or":"Или",
"Value":"Значение",
"Filter value":"Значение фильтра",
"contains":"содержит",
"equals":"равно",
"starts with":"начинается с",
"ends with":"заканчивается на",
"is":"есть",
"is not":"не является",
"is after":"после",
"is on or after":"находится на или после",
"is before":"находится до",
"is on or before":"находится на или до",
"is empty":"пустой",
"is not empty":"не пустой",
"is any of":"является любым из",
"any":"любой",
"true":"верный",
"false":"ложный",
"Menu":"Меню",
"Show columns":"Показать столбцы",
"Filter":"Фильтр",
"Unsort":"Несортировать",
"Sort by ASC":"Сортировать по ВОСХ",
"Sort by DESC":"Сортировать по НИСХ",
"Sort":"Сортировать",
"Show filters":"Показать фильтры",
"yes":"да",
"no":"нет",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Продавец",
"Buyer": "Покупатель",
"I want to": "Я хочу",
"Select Order Type": "Выбрать тип ордера",
"ANY_type": "Любой тип",
"ANY_currency": "Любую валюту",
"BUY": "Купить",
"SELL": "Продать",
"and receive": "и получить",
"and pay with": "и оплатить",
"and use": "и использовать",
"Select Payment Currency": "Выбрать Валюту",
"Robot": "Робот",
"Is": "Кто",
"Currency": "Валюта",
"Payment Method": "Метод оплаты",
"Pay": "Платить",
"Price": "Цена",
"Premium": "Наценка",
"You are SELLING BTC for {{currencyCode}}": "Вы ПРОДАЁТЕ BTC за {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Вы ПОКУПАЕТЕ BTC за {{currencyCode}}",
"You are looking at all": "Вы смотрите на все",
"No orders found to sell BTC for {{currencyCode}}": "Не найдено ордеров на продажу BTC за {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Не найдено ордеров на покупку BTC за {{currencyCode}}",
"Filter has no results": "Фильтр не дал результатов",
"Be the first one to create an order": "Будьте первым, кто создаст ордер",
"Orders per page:": "Заказов на страницу:",
"No rows": "Нет строк",
"No results found.": "Результаты не найдены.",
"An error occurred.": "Произошла ошибка.",
"Columns": "Столбцы",
"Select columns": "Выбрать столбцы",
"Find column": "Найти столбец",
"Column title": "Заголовок столбца",
"Reorder column": "Изменить порядок столбца",
"Show all": "Показать все",
"Hide all": "Скрыть все",
"Add filter": "Добавить фильтр",
"Delete": "Удалить",
"Logic operator": "Логический оператор",
"Operator": "Оператор",
"And": "И",
"Or": "Или",
"Value": "Значение",
"Filter value": "Значение фильтра",
"contains": "содержит",
"equals": "равно",
"starts with": "начинается с",
"ends with": "заканчивается на",
"is": "есть",
"is not": "не является",
"is after": "после",
"is on or after": "находится на или после",
"is before": "находится до",
"is on or before": "находится на или до",
"is empty": "пустой",
"is not empty": "не пустой",
"is any of": "является любым из",
"any": "любой",
"true": "верный",
"false": "ложный",
"Menu": "Меню",
"Show columns": "Показать столбцы",
"Filter": "Фильтр",
"Unsort": "Несортировать",
"Sort by ASC": "Сортировать по ВОСХ",
"Sort by DESC": "Сортировать по НИСХ",
"Sort": "Сортировать",
"Show filters": "Показать фильтры",
"yes": "да",
"no": "нет",
"Depth chart": "Схемами глубин",
"Chart": "Схемами",
"BOTTOM BAR AND MISC - BottomBar.js":"Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds":"Cтатистика для умников",
"LND version":"LND версия",
"Currently running commit hash":"Текущий хэш коммита",
"24h contracted volume":"Объём контрактов за 24 часа",
"Lifetime contracted volume":"Объём контрактов за всё время",
"Made with":"Сделано с",
"and":"и",
"... somewhere on Earth!":"... где-то на земле!",
"Community":"Сообщество",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!":"Поддержка предоставляется только по публичным каналам. Присоединяйтесь к нашему сообществу в Telegram, если у Вас есть вопросы или Вы хотите пообщаться с другими крутыми роботами. Пожалуйста, используйте наши Github Issues, если Вы обнаружили ошибку или хотите увидеть новые функции!",
"Follow RoboSats in Twitter":одпиcаться на RoboSats в Twitter",
"Twitter Official Account":"Официальный аккаунт в Twitter",
"RoboSats Telegram Communities":"Сообщества RoboSats в Telegram",
"Join RoboSats Spanish speaking community!":"Присоединиться к испаноязычному сообществу RoboSats!",
"Join RoboSats Russian speaking community!":"Присоединиться к русскоязычному сообществу RoboSats!",
"Join RoboSats Chinese speaking community!":"Присоединиться к китайскоязычному сообществу RoboSats!",
"Join RoboSats English speaking community!":"Присоединиться к англоязычному сообществу RoboSats!",
"Tell us about a new feature or a bug":"Расскажите нам о новой функции или ошибке",
"Github Issues - The Robotic Satoshis Open Source Project":"Github Issues - The Robotic Satoshis проект с открытым исходным кодом",
"Your Profile":"Ваш Профиль",
"Your robot":"Ваш Робот",
"One active order #{{orderID}}":"Один активный ордер #{{orderID}}",
"Your current order":"Ваш текущий ордер",
"No active orders":"Нет активных ордеров",
"Your token (will not remain here)":"Ваш токен (здесь не останется)",
"Back it up!":"Сохраните его!",
"Cannot remember":"Не могу вспомнить",
"Rewards and compensations":"Вознаграждения и компенсации",
"Share to earn 100 Sats per trade":"Поделись, чтобы заработать 100 Сатоши за сделку",
"Your referral link":"Ваша реферальная ссылка",
"Your earned rewards":"Ваши заработанные награды",
"Claim":"Запросить",
"Invoice for {{amountSats}} Sats":"Инвойс на {{amountSats}} Сатоши",
"Submit":"Отправить",
"There it goes, thank you!🥇":"Вот так вот, спасибо!🥇",
"You have an active order":"У Вас есть активный ордер",
"You can claim satoshis!":"Вы можете запросить Сатоши!",
"Public Buy Orders":"Ордера на покупку",
"Public Sell Orders":"Ордера на продажу",
"Today Active Robots":"Активных роботов сегодня",
"24h Avg Premium":"Средняя наценка за 24 часа",
"Trade Fee":"Комиссия",
"Show community and support links":"Показать ссылки на сообщество и поддержку",
"Show stats for nerds":"Показать статистику для умников",
"Exchange Summary":"Сводка по бирже",
"Public buy orders":"Ордера на покупку",
"Public sell orders":"Ордера на продажу",
"Book liquidity":"Ликвидность книги ордеров",
"Today active robots":"Сегодня активных роботов",
"24h non-KYC bitcoin premium":"Наценка на Биткойн без ЗСК за 24 часа",
"Maker fee":"Комиссия мейкера",
"Taker fee":"Комиссия тейкера",
"Number of public BUY orders":"Количество ордеров на ПОКУПКУ",
"Number of public SELL orders":"Количество ордеров на ПРОДАЖУ",
"Your last order #{{orderID}}":"Ваш последний ордер #{{orderID}}",
"Inactive order":"Неактивный ордер",
"You do not have previous orders":"У Вас нет предыдущих ордеров",
"Join RoboSats' Subreddit":"Присоединяйтесь к Сабреддиту RoboSats",
"RoboSats in Reddit":"RoboSats в Reddit",
"Current onchain payout fee":"Текущая комиссия за выплату ончейн",
"Use stealth invoices":"Использовать стелс инвойсы",
"Stealth lightning invoices do not contain details about the trade except an order reference. Enable this setting if you don't want to disclose details to a custodial lightning wallet.":"Стелс Лайтнинг инвойсы не содержат подробностей о сделке, кроме ссылки на ордер. Включите этот параметр, если Вы не хотите раскрывать детали кошельку Лайтнинг.",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Cтатистика для умников",
"LND version": "LND версия",
"Currently running commit hash": "Текущий хэш коммита",
"24h contracted volume": "Объём контрактов за 24 часа",
"Lifetime contracted volume": "Объём контрактов за всё время",
"Made with": "Сделано с",
"and": "и",
"... somewhere on Earth!": "... где-то на земле!",
"Community": "Сообщество",
"Support is only offered via public channels. Join our Telegram community if you have questions or want to hang out with other cool robots. Please, use our Github Issues if you find a bug or want to see new features!": "Поддержка предоставляется только по публичным каналам. Присоединяйтесь к нашему сообществу в Telegram, если у Вас есть вопросы или Вы хотите пообщаться с другими крутыми роботами. Пожалуйста, используйте наши Github Issues, если Вы обнаружили ошибку или хотите увидеть новые функции!",
"Follow RoboSats in Twitter": одпиcаться на RoboSats в Twitter",
"Twitter Official Account": "Официальный аккаунт в Twitter",
"RoboSats Telegram Communities": "Сообщества RoboSats в Telegram",
"Join RoboSats Spanish speaking community!": "Присоединиться к испаноязычному сообществу RoboSats!",
"Join RoboSats Russian speaking community!": "Присоединиться к русскоязычному сообществу RoboSats!",
"Join RoboSats Chinese speaking community!": "Присоединиться к китайскоязычному сообществу RoboSats!",
"Join RoboSats English speaking community!": "Присоединиться к англоязычному сообществу RoboSats!",
"Tell us about a new feature or a bug": "Расскажите нам о новой функции или ошибке",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis проект с открытым исходным кодом",
"Your Profile": "Ваш Профиль",
"Your robot": "Ваш Робот",
"One active order #{{orderID}}": "Один активный ордер #{{orderID}}",
"Your current order": "Ваш текущий ордер",
"No active orders": "Нет активных ордеров",
"Your token (will not remain here)": "Ваш токен (здесь не останется)",
"Back it up!": "Сохраните его!",
"Cannot remember": "Не могу вспомнить",
"Rewards and compensations": "Вознаграждения и компенсации",
"Share to earn 100 Sats per trade": "Поделись, чтобы заработать 100 Сатоши за сделку",
"Your referral link": "Ваша реферальная ссылка",
"Your earned rewards": "Ваши заработанные награды",
"Claim": "Запросить",
"Invoice for {{amountSats}} Sats": "Инвойс на {{amountSats}} Сатоши",
"Submit": "Отправить",
"There it goes, thank you!🥇": "Вот так вот, спасибо!🥇",
"You have an active order": "У Вас есть активный ордер",
"You can claim satoshis!": "Вы можете запросить Сатоши!",
"Public Buy Orders": "Ордера на покупку",
"Public Sell Orders": "Ордера на продажу",
"Today Active Robots": "Активных роботов сегодня",
"24h Avg Premium": "Средняя наценка за 24 часа",
"Trade Fee": "Комиссия",
"Show community and support links": "Показать ссылки на сообщество и поддержку",
"Show stats for nerds": "Показать статистику для умников",
"Exchange Summary": "Сводка по бирже",
"Public buy orders": "Ордера на покупку",
"Public sell orders": "Ордера на продажу",
"Book liquidity": "Ликвидность книги ордеров",
"Today active robots": "Сегодня активных роботов",
"24h non-KYC bitcoin premium": "Наценка на Биткойн без ЗСК за 24 часа",
"Maker fee": "Комиссия мейкера",
"Taker fee": "Комиссия тейкера",
"Number of public BUY orders": "Количество ордеров на ПОКУПКУ",
"Number of public SELL orders": "Количество ордеров на ПРОДАЖУ",
"Your last order #{{orderID}}": "Ваш последний ордер #{{orderID}}",
"Inactive order": "Неактивный ордер",
"You do not have previous orders": "У Вас нет предыдущих ордеров",
"Join RoboSats' Subreddit": "Присоединяйтесь к Сабреддиту RoboSats",
"RoboSats in Reddit": "RoboSats в Reddit",
"Current onchain payout fee": "Текущая комиссия за выплату ончейн",
"Use stealth invoices": "Использовать стелс инвойсы",
"Stealth lightning invoices do not contain details about the trade except an order reference. Enable this setting if you don't want to disclose details to a custodial lightning wallet.": "Стелс Лайтнинг инвойсы не содержат подробностей о сделке, кроме ссылки на ордер. Включите этот параметр, если Вы не хотите раскрывать детали кошельку Лайтнинг.",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box":"Окно ордера",
"Contract":"Контракт",
"Active":"Активный",
"Seen recently":"Был виден недавно",
"Inactive":"Неактивный",
"(Seller)":"(Продавец)",
"(Buyer)":"(Покупатель)",
"Order maker":"Мейкер ордера",
"Order taker":"Тейкер ордера",
"Order Details":"Детали ордера",
"Order status":"Статус ордера",
"Waiting for maker bond":"Ожидаем залог мейкера",
"Public":"Публичный",
"Waiting for taker bond":"Ожидаем залог тейкера",
"Cancelled":"Отменён",
"Expired":"Просрочен",
"Waiting for trade collateral and buyer invoice":"Ожидаем депозит сделки и инвойс покупателя",
"Waiting only for seller trade collateral":"Ожидаем только депозит продавца",
"Waiting only for buyer invoice":"Ожидаем только инвойс покупателя",
"Sending fiat - In chatroom":"Отправка фиата - В чате",
"Fiat sent - In chatroom":"Фиат отправлен - В чате",
"In dispute":"В диспуте",
"Collaboratively cancelled":"Совместно отменено",
"Sending satoshis to buyer":"Отправка Сатоши покупателю",
"Sucessful trade":"Успешная сделка",
"Failed lightning network routing":"Неудачный раутинг через Lightning",
"Wait for dispute resolution":"Подождите разрешения диспута",
"Maker lost dispute":"Мейкер проиграл диспут",
"Taker lost dispute":"Тейкер проиграл диспут",
"Amount range":"Диапазон сумм",
"Swap destination":"Поменять место назначения",
"Accepted payment methods":"Способ(ы) оплаты",
"Others":"Другие",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%":"{{price}} {{currencyCode}}/BTC - Наценка: {{premium}}%",
"Price and Premium":"Цена и Наценка",
"Amount of Satoshis":"Количество Сатоши",
"Premium over market price":"Наценка над рыночной ценой",
"Order ID":"ID ордера",
"Deposit timer":"Таймер депозита",
"Expires in":"Истекает через",
"{{nickname}} is asking for a collaborative cancel":"{{nickname}} запрашивает совместную отмену",
"You asked for a collaborative cancellation":"Вы запросили совместную отмену",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.":"Срок действия инвойса истёк. Вы не подтвердили публикацию ордера вовремя. Создайте новый ордер.",
"This order has been cancelled by the maker":"Этот ордер был отменён мейкером",
"Invoice expired. You did not confirm taking the order in time.":"Срок действия инвойса истёк. Вы не подтвердили своевременный приём ордера.",
"Penalty lifted, good to go!":"Пенальти сняты, поехали!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s":"Вы ещё не можете взять ордер! Подождите {{timeMin}}м {{timeSec}}с",
"Too low":"Слишком мало",
"Too high":"Слишком много",
"Enter amount of fiat to exchange for bitcoin":"Введите количество фиата для обмена на Биткойн",
"Amount {{currencyCode}}":"Сумма {{currencyCode}}",
"You must specify an amount first":"Сначала необходимо указать сумму",
"Take Order":"Взять ордер",
"Wait until you can take an order":"Подождите, пока Вы сможете взять ордер",
"Cancel the order?":"Отменить ордер?",
"If the order is cancelled now you will lose your bond.":"Если ордер будет отменён сейчас, Вы потеряете залог.",
"Confirm Cancel":"Подтвердить отмену",
"The maker is away":"Мейкера нет на месте",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.":"Взяв этот ордер, Вы рискуете потратить своё время впустую. Если мейкер не появится вовремя, Вы получите компенсацию в Сатоши в размере 50% от залога мейкера",
"Collaborative cancel the order?":"Совместно отменить ордер?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.":"Эскроу сделки был опубликован. Ордер может быть отменен только в том случае, если оба, мейкер и тейкер, согласны на отмену.",
"Ask for Cancel":"Запросить отмену",
"Cancel":"Отменить",
"Collaborative Cancel":"Совместная отмена",
"Invalid Order Id":"Неверный ID ордера",
"You must have a robot avatar to see the order details":"У Вас должен быть аватар робота, чтобы увидеть детали ордера",
"This order has been cancelled collaborativelly":"Этот ордер был отменён совместно",
"You are not allowed to see this order":"Вы не можете увидеть этот ордер",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues":"Роботизированные Сатоши, работающие на складе, не поняли Вас. Пожалуйста, заполните вопрос об ошибке в Github https://github.com/reckless-satoshi/robosats/issues",
"Order Box": "Окно ордера",
"Contract": "Контракт",
"Active": "Активный",
"Seen recently": "Был виден недавно",
"Inactive": "Неактивный",
"(Seller)": "(Продавец)",
"(Buyer)": "(Покупатель)",
"Order maker": "Мейкер ордера",
"Order taker": "Тейкер ордера",
"Order Details": "Детали ордера",
"Order status": "Статус ордера",
"Waiting for maker bond": "Ожидаем залог мейкера",
"Public": "Публичный",
"Waiting for taker bond": "Ожидаем залог тейкера",
"Cancelled": "Отменён",
"Expired": "Просрочен",
"Waiting for trade collateral and buyer invoice": "Ожидаем депозит сделки и инвойс покупателя",
"Waiting only for seller trade collateral": "Ожидаем только депозит продавца",
"Waiting only for buyer invoice": "Ожидаем только инвойс покупателя",
"Sending fiat - In chatroom": "Отправка фиата - В чате",
"Fiat sent - In chatroom": "Фиат отправлен - В чате",
"In dispute": "В диспуте",
"Collaboratively cancelled": "Совместно отменено",
"Sending satoshis to buyer": "Отправка Сатоши покупателю",
"Sucessful trade": "Успешная сделка",
"Failed lightning network routing": "Неудачный раутинг через Lightning",
"Wait for dispute resolution": "Подождите разрешения диспута",
"Maker lost dispute": "Мейкер проиграл диспут",
"Taker lost dispute": "Тейкер проиграл диспут",
"Amount range": "Диапазон сумм",
"Swap destination": "Поменять место назначения",
"Accepted payment methods": "Способ(ы) оплаты",
"Others": "Другие",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Наценка: {{premium}}%",
"Price and Premium": "Цена и Наценка",
"Amount of Satoshis": "Количество Сатоши",
"Premium over market price": "Наценка над рыночной ценой",
"Order ID": "ID ордера",
"Deposit timer": "Таймер депозита",
"Expires in": "Истекает через",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} запрашивает совместную отмену",
"You asked for a collaborative cancellation": "Вы запросили совместную отмену",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Срок действия инвойса истёк. Вы не подтвердили публикацию ордера вовремя. Создайте новый ордер.",
"This order has been cancelled by the maker": "Этот ордер был отменён мейкером",
"Invoice expired. You did not confirm taking the order in time.": "Срок действия инвойса истёк. Вы не подтвердили своевременный приём ордера.",
"Penalty lifted, good to go!": "Пенальти сняты, поехали!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Вы ещё не можете взять ордер! Подождите {{timeMin}}м {{timeSec}}с",
"Too low": "Слишком мало",
"Too high": "Слишком много",
"Enter amount of fiat to exchange for bitcoin": "Введите количество фиата для обмена на Биткойн",
"Amount {{currencyCode}}": "Сумма {{currencyCode}}",
"You must specify an amount first": "Сначала необходимо указать сумму",
"Take Order": "Взять ордер",
"Wait until you can take an order": "Подождите, пока Вы сможете взять ордер",
"Cancel the order?": "Отменить ордер?",
"If the order is cancelled now you will lose your bond.": "Если ордер будет отменён сейчас, Вы потеряете залог.",
"Confirm Cancel": "Подтвердить отмену",
"The maker is away": "Мейкера нет на месте",
"By taking this order you risk wasting your time. If the maker does not proceed in time, you will be compensated in satoshis for 50% of the maker bond.": "Взяв этот ордер, Вы рискуете потратить своё время впустую. Если мейкер не появится вовремя, Вы получите компенсацию в Сатоши в размере 50% от залога мейкера",
"Collaborative cancel the order?": "Совместно отменить ордер?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Эскроу сделки был опубликован. Ордер может быть отменен только в том случае, если оба, мейкер и тейкер, согласны на отмену.",
"Ask for Cancel": "Запросить отмену",
"Cancel": "Отменить",
"Collaborative Cancel": "Совместная отмена",
"Invalid Order Id": "Неверный ID ордера",
"You must have a robot avatar to see the order details": "У Вас должен быть аватар робота, чтобы увидеть детали ордера",
"This order has been cancelled collaborativelly": "Этот ордер был отменён совместно",
"You are not allowed to see this order": "Вы не можете увидеть этот ордер",
"The Robotic Satoshis working in the warehouse did not understand you. Please, fill a Bug Issue in Github https://github.com/reckless-satoshi/robosats/issues": "Роботизированные Сатоши, работающие на складе, не поняли Вас. Пожалуйста, заполните вопрос об ошибке в Github https://github.com/reckless-satoshi/robosats/issues",
"WebLN": "WebLN",
"Payment not received, please check your WebLN wallet.": "Платёж не получен. Пожалуйста, проверьте Ваш WebLN Кошелёк.",
"Invoice not received, please check your WebLN wallet.": "Платёж не получен. Пожалуйста, проверьте Ваш WebLN Кошелёк.",
"You can close now your WebLN wallet popup.": "Вы можете закрыть всплывающее окно WebLN Кошелька",
"CHAT BOX - Chat.js":"Chat Box",
"You":"Вы",
"Peer":"Партнёр",
"connected":"подключен",
"disconnected":"отключен",
"Type a message":"Введите сообщение",
"Connecting...":"Подключаем...",
"Send":"Отправить",
"Verify your privacy":"Проверьте свою конфиденциальность",
"Audit PGP":"Аудит PGP",
"Save full log as a JSON file (messages and credentials)":"Сохранить все логи в виде JSON файла (сообщения и учётные данные)",
"Export":"Экспортировать",
"Don't trust, verify":"Не доверяй, проверяй",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.":"Ваше общение зашифровано сквозым шифрованием с помощью OpenPGP. Вы можете проверить конфиденциальность этого чата с помощью любого инструмента, основанного на стандарте OpenPGP.",
"Learn how to verify":"Узнайте, как проверить",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.":"Ваш публичный ключ PGP. Ваш партнёр использует его для шифрования сообщений, которые можете прочитать только Вы.",
"Your public key":"Ваш публичный ключ",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.":"Публичный ключ PGP Вашего партнёра. Вы используете его для шифрования сообщений, которые может читать только он, и для проверки того, что Ваш партнёр подписал входящие сообщения.",
"Peer public key":"Публичный ключ партнёра",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.":"Ваш зашифрованный приватный ключ. Вы используете его для расшифровки сообщений, зашифрованных для Вас вашим партнёром. Вы также используете его для подписи отправляемых Вами сообщений.",
"Your encrypted private key":"Ваш зашифрованный приватный ключ",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.":"Парольная фраза для расшифровки Вашего приватного ключа. Только Вы её знаете! Не делитесь ей ни с кем. Это также Ваш токен робота.",
"Your private key passphrase (keep secure!)":"Парольная фраза Вашего приватного ключа (храните в безопасности!)",
"Save credentials as a JSON file":"Сохранить учётные данные как файл JSON",
"Keys":"Ключи",
"Save messages as a JSON file":"Сохранить сообщения как файл JSON",
"Messages":"Сообщения",
"Verified signature by {{nickname}}":"Проверенная подпись пользователя {{nickname}}",
"Cannot verify signature of {{nickname}}":"Не удается проверить подпись {{nickname}}",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Вы",
"Peer": "Партнёр",
"connected": "подключен",
"disconnected": "отключен",
"Type a message": "Введите сообщение",
"Connecting...": "Подключаем...",
"Send": "Отправить",
"Verify your privacy": "Проверьте свою конфиденциальность",
"Audit PGP": "Аудит PGP",
"Save full log as a JSON file (messages and credentials)": "Сохранить все логи в виде JSON файла (сообщения и учётные данные)",
"Export": "Экспортировать",
"Don't trust, verify": "Не доверяй, проверяй",
"Your communication is end-to-end encrypted with OpenPGP. You can verify the privacy of this chat using any tool based on the OpenPGP standard.": "Ваше общение зашифровано сквозым шифрованием с помощью OpenPGP. Вы можете проверить конфиденциальность этого чата с помощью любого инструмента, основанного на стандарте OpenPGP.",
"Learn how to verify": "Узнайте, как проверить",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Ваш публичный ключ PGP. Ваш партнёр использует его для шифрования сообщений, которые можете прочитать только Вы.",
"Your public key": "Ваш публичный ключ",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Публичный ключ PGP Вашего партнёра. Вы используете его для шифрования сообщений, которые может читать только он, и для проверки того, что Ваш партнёр подписал входящие сообщения.",
"Peer public key": "Публичный ключ партнёра",
"Your encrypted private key. You use it to decrypt the messages that your peer encrypted for you. You also use it to sign the messages you send.": "Ваш зашифрованный приватный ключ. Вы используете его для расшифровки сообщений, зашифрованных для Вас вашим партнёром. Вы также используете его для подписи отправляемых Вами сообщений.",
"Your encrypted private key": "Ваш зашифрованный приватный ключ",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Парольная фраза для расшифровки Вашего приватного ключа. Только Вы её знаете! Не делитесь ей ни с кем. Это также Ваш токен робота.",
"Your private key passphrase (keep secure!)": "Парольная фраза Вашего приватного ключа (храните в безопасности!)",
"Save credentials as a JSON file": "Сохранить учётные данные как файл JSON",
"Keys": "Ключи",
"Save messages as a JSON file": "Сохранить сообщения как файл JSON",
"Messages": "Сообщения",
"Verified signature by {{nickname}}": "Проверенная подпись пользователя {{nickname}}",
"Cannot verify signature of {{nickname}}": "Не удается проверить подпись {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box":"Окно контракта",
"Contract Box": "Окно контракта",
"Robots show commitment to their peers": "Роботы демонстрируют приверженность к своим пирам",
"Lock {{amountSats}} Sats to PUBLISH order": "Заблокировать {{amountSats}} Сатоши для ПУБЛИКАЦИИ ордера",
"Lock {{amountSats}} Sats to TAKE order": "Заблокировать {{amountSats}} Сатоши чтобы ПРИНЯТЬ ордер",
"Lock {{amountSats}} Sats as collateral": "Заблокировать {{amountSats}} Сатоши в качестве депозита",
"Copy to clipboard":"Скопировать",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.":"Этот инвойс заблокируется в Вашем кошельке. Он будет списан только в том случае, если Вы отмените сделку или проиграете диспут.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.":"Этот инвойс заблокируется в Вашем кошельке. Он будет передан покупателю, как только Вы подтвердите получение {{currencyCode}}.",
"Your maker bond is locked":"Ваш залог мейкера заблокирован",
"Your taker bond is locked":"Ваш залог тейкера заблокирован",
"Your maker bond was settled":"Ваш залог мейкера был урегулирован",
"Your taker bond was settled":"Ваш залог тейкера был урегулирован",
"Your maker bond was unlocked":"Ваш залог мейкера был разблокирован",
"Your taker bond was unlocked":"Ваш залог тейкера был разблокирован",
"Your order is public":"Ваш ордер опубликован",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.":"Будьте терпеливы, пока роботы проверяют ордера. Это может занять некоторое время. Это окно прозвонит 🔊, как только робот примет Ваш ордер и тогда у Вас будет {{deposit_timer_hours}}ч {{deposit_timer_minutes}}м на ответ. Если Вы не ответите, Вы рискуете потерять залог.",
"If the order expires untaken, your bond will return to you (no action needed).":"Если Ваш ордер не будет принят и срок его действия истечёт, Ваша залог вернётся к Вам (никаких действий не требуется).",
"Enable Telegram Notifications":"Включить уведомления Telegram",
"Enable TG Notifications":"Включить уведомления TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.":"Вы перейдёте к разговору с Telegram ботом RoboSats. Просто откройте чат и нажмите Старт. Обратите внимание, что включив уведомления Telegram, Вы можете снизить уровень анонимности.",
"Go back":"Вернуться",
"Enable":"Включить",
"Telegram enabled":"Telegram включен",
"Public orders for {{currencyCode}}":"Публичные ордера {{currencyCode}}",
"Copy to clipboard": "Скопировать",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Этот инвойс заблокируется в Вашем кошельке. Он будет списан только в том случае, если Вы отмените сделку или проиграете диспут.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Этот инвойс заблокируется в Вашем кошельке. Он будет передан покупателю, как только Вы подтвердите получение {{currencyCode}}.",
"Your maker bond is locked": "Ваш залог мейкера заблокирован",
"Your taker bond is locked": "Ваш залог тейкера заблокирован",
"Your maker bond was settled": "Ваш залог мейкера был урегулирован",
"Your taker bond was settled": "Ваш залог тейкера был урегулирован",
"Your maker bond was unlocked": "Ваш залог мейкера был разблокирован",
"Your taker bond was unlocked": "Ваш залог тейкера был разблокирован",
"Your order is public": "Ваш ордер опубликован",
"Be patient while robots check the book. This box will ring 🔊 once a robot takes your order, then you will have {{deposit_timer_hours}}h {{deposit_timer_minutes}}m to reply. If you do not reply, you risk losing your bond.": "Будьте терпеливы, пока роботы проверяют ордера. Это может занять некоторое время. Это окно прозвонит 🔊, как только робот примет Ваш ордер и тогда у Вас будет {{deposit_timer_hours}}ч {{deposit_timer_minutes}}м на ответ. Если Вы не ответите, Вы рискуете потерять залог.",
"If the order expires untaken, your bond will return to you (no action needed).": "Если Ваш ордер не будет принят и срок его действия истечёт, Ваша залог вернётся к Вам (никаких действий не требуется).",
"Enable Telegram Notifications": "Включить уведомления Telegram",
"Enable TG Notifications": "Включить уведомления TG",
"You will be taken to a conversation with RoboSats telegram bot. Simply open the chat and press Start. Note that by enabling telegram notifications you might lower your level of anonymity.": "Вы перейдёте к разговору с Telegram ботом RoboSats. Просто откройте чат и нажмите Старт. Обратите внимание, что включив уведомления Telegram, Вы можете снизить уровень анонимности.",
"Go back": "Вернуться",
"Enable": "Включить",
"Telegram enabled": "Telegram включен",
"Public orders for {{currencyCode}}": "Публичные ордера {{currencyCode}}",
"Premium rank": "Ранг наценки",
"Among public {{currencyCode}} orders (higher is cheaper)": "Среди публичных {{currencyCode}} ордеров (чем выше, тем дешевле)",
"A taker has been found!":"Найден тейкер!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.":"Пожалуйста, подождите, пока тейкер заблокирует залог. Если тейкер не заблокирует залог вовремя, ордер будет снова опубликован",
"Payout Lightning Invoice":"Счет на выплату Лайтнинг",
"Your invoice looks good!":"Ваш инвойс выглядит хорошо!",
"We are waiting for the seller to lock the trade amount.":" Мы ждём, пока продавец заблокирует сумму сделки.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Просто немного подождите. Если продавец не внесёт депозит, залог вернётся к Вам автоматически. Кроме того, Вы получите компенсацию (проверьте вознаграждения в своем профиле)",
"The trade collateral is locked!":"Депозит заблокирован!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.":"Мы ждём, пока покупатель разместит Lightning инвойс. Как только он это сделает, Вы сможете напрямую сообщить реквизиты фиатного платежа.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).":"Просто немного подождите. Если покупатель не будет сотрудничать, Вы автоматически вернёте свой депозит и залог. Кроме того, Вы получите компенсацию (проверьте вознаграждение в своем профиле).",
"Confirm {{amount}} {{currencyCode}} sent":"Подтвердить отправку {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received":"Подтвердить получение {{amount}} {{currencyCode}}",
"Open Dispute":"Открыть диспут",
"The order has expired":"Срок действия ордера истёк",
"Chat with the buyer":"Чат с покупателем",
"Chat with the seller":"Чат с продавцом",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.":"Скажите привет! Будьте доброжелательны и кратки. Сообщите, как отправить Вам {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.":"Покупатель отправил фиат. Нажмите 'Подтвердить Получение' после его получения.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.":"Скажите привет! Запросите детали платежа и нажмите 'Подтвердить Отправку' как только платёж будет отправлен.",
"Wait for the seller to confirm he has received the payment.":"Подождите, пока продавец подтвердит, что он получил платёж.",
"Confirm you received {{amount}} {{currencyCode}}?":"Подтвердить получение {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.":"Подтверждение того, что Вы получили фиатную валюту, завершит сделку. Сатоши в эскроу будут переданы покупателю. Подтвердите только после того, как {{amount}} {{currencyCode}} поступили на Ваш счёт. Кроме того, если Вы получили {{currencyCode}} и не подтвердите получение, Вы рискуете потерять свой залог.",
"Confirm":"Подтвердить",
"Trade finished!":"Торговля завершена!!",
"rate_robosats":"Что Вы думаете о <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️":"Спасибо! RoboSats тоже Вас любит ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!":"RoboSats становится лучше с большей ликвидностью и пользователями. Расскажите другу-биткойнеру о Robosat!",
"Thank you for using Robosats!":"Спасибо за использование Robosats!",
"let_us_know_hot_to_improve":"Сообщите нам, как можно улучшить платформу (<1>Telegram</1> / <3>Github</3>)",
"Start Again":"Начать Снова",
"Attempting Lightning Payment":"Попытка Lightning платежа",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.":"RoboSats пытается оплатить Ваш Lightning инвойс. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Retrying!":"Повторная попытка!",
"Lightning Routing Failed":"Раутинг через Lightning не удался",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.":"Срок действия Вашего инвойса истёк или было сделано более трёх попыток оплаты. Отправьте новый инвойс.",
"Check the list of compatible wallets":"Проверьте список совместимых кошельков",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.":"RoboSats будет пытаться оплатить Ваш инвойс 3и раза каждые 1ть минут. Если это не удастся, Вы сможете отправить новый инвойс. Проверьте, достаточно ли у Вас входящей ликвидности. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Next attempt in":"Следующая попытка через",
"Do you want to open a dispute?":"Хотите ли Вы открыть диспут?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.":"Персонал RoboSats рассмотрит предоставленные заявления и доказательства. Вам необходимо построить полное дело, так как сотрудники не могут читать чат. Лучше всего указать одноразовый метод контакта вместе с Вашим заявлением. Сатоши в эскроу сделки будут отправлены победителю диспута, а проигравший в диспуте потеряет залог.",
"Disagree":"Не согласиться",
"Agree and open dispute":"Согласиться и открыть диспут",
"A dispute has been opened":"Диспут открыт",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.":"Пожалуйста, отправьте своё заявление. Ясно и конкретно опишите, что произошло, и предоставьте необходимые доказательства. Чтобы связаться с персоналом Вы ДОЛЖНЫ указать способ связи: одноразовая электронная почта, XMPP или имя пользователя в Telegram. Споры решаются на усмотрение настоящих роботов (также известных как люди), поэтому будьте как можно более конструктивны, чтобы обеспечить справедливый результат. Максимум 5000 символов.",
"Submit dispute statement":"Отправить заявление о диспуте",
"We have received your statement":"Мы получили Ваше заявление",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.":"Мы ждём заявление Вашего торгового партнёра. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).":"Пожалуйста, сохраните информацию, необходимую для идентификации Вашего ордера и Ваших платежей: ID ордера, хэши платежей залога или эскроу (проверьте свой кошелек Lightning), точную сумму Сатоши и псевдоним робота. Вам нужно будет идентифицировать себя как пользователя участвующего в этой сделке по электронной почте (или другим способом связи).",
"We have the statements":"У нас есть заявления",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.":"Оба заявления получены, дождитесь разрешения диспута персоналом. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com. Если Вы не указали способ связи, или не уверены, правильно ли Вы его написали, немедленно свяжитесь с нами.",
"You have won the dispute":"Вы выиграли диспут",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).":"Вы можете запросить сумму разрешения диспута (эскроу и залог) из вознаграждений Вашего профиля. Если есть что-то, с чем персонал может Вам помочь, не стесняйтесь обращаться по адресу robosats@protonmail.com (или через предоставленный Вами одноразовый способ связи).",
"You have lost the dispute":"Вы проиграли диспут",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.":"К сожалению, Вы проиграли диспут. Если Вы считаете, что это ошибка, Вы можете попросить повторно открыть диспут по электронной почте robosats@protonmail.com. Однако шансы на то, что диспут будет расследован снова, невелики.",
"Expired not taken":"Просрочен не взят",
"Maker bond not locked":"Залог мейкера не заблокирован",
"Escrow not locked":"Эскроу не заблокирован",
"Invoice not submitted":"Инвойс не отправлен",
"Neither escrow locked or invoice submitted":"Эскроу не заблокирован и инвойс не отправлен",
"Renew Order":"Обновить ордер",
"Pause the public order":"Приостановить публичный ордер",
"Your order is paused":"Ваш ордер приостановлен",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.":"Ваш публичный ордер приостановлен. В данный момент его не могут увидеть или принять другие роботы. Вы можете запустить его в любое время.",
"Unpause Order":"Запустить ордер",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.":"Вы рискуете потерять залог, если не заблокируете депозит. Доступное время составляет {{deposit_timer_hours}}ч {{deposit_timer_minutes}}м.",
"See Compatible Wallets":"Смотреть Совместимые Кошельки",
"Failure reason:":"Причина неудачи:",
"Payment isn't failed (yet)":"Платеж не провален (пока)",
"There are more routes to try, but the payment timeout was exceeded.":"Есть ещё маршруты, которые можно попробовать, но превышено время ожидания платежа.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.":"Все возможные маршруты были испробованы и не удались. Возможно, что к месту назначения вообще не было маршрутов.",
"A non-recoverable error has occurred.":"Произошла неисправимая ошибка.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).":"Платежные реквизиты неверны (неизвестный хэш, неверная сумма или неверная окончательная дельта CLTV ).",
"Insufficient unlocked balance in RoboSats' node.":"Недостаточно разблокированного баланса на ноде RoboSats.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com":"Отправленный инвойс содержит только дорогие подсказки для раутинга, Вы используете несовместимый кошелек (вероятно, Muun?). Проверьте руководство по совместимости кошелька на wallets.robosats.com",
"The invoice provided has no explicit amount":"В предоставленном счете нет точной суммы",
"Does not look like a valid lightning invoice":"Не похоже на действительный Lightning инвойс",
"The invoice provided has already expired":"Срок действия предоставленного инвойса уже истёк",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.":"Обязательно ЭКСПОРТИРУЙТЕ журнал чата. Персонал может запросить Ваш экспортированный журнал чата в формате JSON для устранения несоответствий. Вы несёте ответственность за его сохранение.",
"Invalid address":"Неверный адрес",
"Unable to validate address, check bitcoind backend":"Невозможно проверить адрес, проверить бэкэнд биткойна",
"Submit payout info for {{amountSats}} Sats":"Отправить информацию о выплате на {{amountSats}} Сатоши",
"Submit a valid invoice for {{amountSats}} Satoshis.":"Отправьте действительный инвойс на {{amountSats}} Сатоши.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.":"Прежде чем позволить Вам отправить {{amountFiat}} {{currencyCode}}, мы хотим убедиться, что Вы можете получить BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.":"RoboSats произведёт своп и отправит Сатоши на Ваш ончейн адрес.",
"Swap fee":"Комиссия за своп",
"Mining fee":"Комиссия майнерам",
"Mining Fee":"Комиссия Майнерам",
"Final amount you will receive":"Окончательная сумма, которую Вы получите",
"Bitcoin Address":"Биткойн Адрес",
"Your TXID":"Ваш TXID",
"Lightning":"Лайтнинг",
"Onchain":"Ончейн",
"open_dispute":"Для открытия диспута нужно подождать <1><1/>",
"Trade Summary":"Сводка Сделки",
"Maker":"Мейкер",
"Taker":"Тейкер",
"User role":"Роль пользователя",
"Sent":"Отправлено",
"Received":"Получено",
"BTC received":"BTC получено",
"BTC sent":"BTC отправлено",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)":"{{tradeFeeSats}} Сатоши ({{tradeFeePercent}}%)",
"Trade fee":"Комиссия сделки",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)":"{{swapFeeSats}} Сатоши ({{swapFeePercent}}%)",
"Onchain swap fee":"Комиссия за ончйн своп",
"{{miningFeeSats}} Sats":"{{miningFeeSats}} Сатоши",
"{{bondSats}} Sats ({{bondPercent}}%)":"{{bondSats}} Сатоши ({{bondPercent}}%)",
"Maker bond":"Залог мейкера",
"Taker bond":"Залог тейкера",
"Unlocked":"Разблокировано",
"{{revenueSats}} Sats":"{{revenueSats}} Сатоши",
"Platform trade revenue":"Доход платформы от торговли",
"{{routingFeeSats}} MiliSats":"{{routingFeeSats}} МилиСатоши",
"Platform covered routing fee":"Плата за раутинг, покрываемая платформой",
"Timestamp":"Временная метка",
"Completed in":"Завершено за",
"Contract exchange rate":"Курс обмена контракта",
"A taker has been found!": "Найден тейкер!",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Пожалуйста, подождите, пока тейкер заблокирует залог. Если тейкер не заблокирует залог вовремя, ордер будет снова опубликован",
"Payout Lightning Invoice": "Счет на выплату Лайтнинг",
"Your invoice looks good!": "Ваш инвойс выглядит хорошо!",
"We are waiting for the seller to lock the trade amount.": " Мы ждём, пока продавец заблокирует сумму сделки.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Просто немного подождите. Если продавец не внесёт депозит, залог вернётся к Вам автоматически. Кроме того, Вы получите компенсацию (проверьте вознаграждения в своем профиле)",
"The trade collateral is locked!": "Депозит заблокирован!",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Мы ждём, пока покупатель разместит Lightning инвойс. Как только он это сделает, Вы сможете напрямую сообщить реквизиты фиатного платежа.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Просто немного подождите. Если покупатель не будет сотрудничать, Вы автоматически вернёте свой депозит и залог. Кроме того, Вы получите компенсацию (проверьте вознаграждение в своем профиле).",
"Confirm {{amount}} {{currencyCode}} sent": "Подтвердить отправку {{amount}} {{currencyCode}}",
"Confirm {{amount}} {{currencyCode}} received": "Подтвердить получение {{amount}} {{currencyCode}}",
"Open Dispute": "Открыть диспут",
"The order has expired": "Срок действия ордера истёк",
"Chat with the buyer": "Чат с покупателем",
"Chat with the seller": "Чат с продавцом",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Скажите привет! Будьте доброжелательны и кратки. Сообщите, как отправить Вам {{amount}} {{currencyCode}}.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Покупатель отправил фиат. Нажмите 'Подтвердить Получение' после его получения.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Скажите привет! Запросите детали платежа и нажмите 'Подтвердить Отправку' как только платёж будет отправлен.",
"Wait for the seller to confirm he has received the payment.": "Подождите, пока продавец подтвердит, что он получил платёж.",
"Confirm you received {{amount}} {{currencyCode}}?": "Подтвердить получение {{amount}} {{currencyCode}}?",
"Confirming that you received the fiat will finalize the trade. The satoshis in the escrow will be released to the buyer. Only confirm after the {{amount}} {{currencyCode}} have arrived to your account. In addition, if you have received the payment and do not confirm it, you risk losing your bond.": "Подтверждение того, что Вы получили фиатную валюту, завершит сделку. Сатоши в эскроу будут переданы покупателю. Подтвердите только после того, как {{amount}} {{currencyCode}} поступили на Ваш счёт. Кроме того, если Вы получили {{currencyCode}} и не подтвердите получение, Вы рискуете потерять свой залог.",
"Confirm": "Подтвердить",
"Trade finished!": "Торговля завершена!!",
"rate_robosats": "Что Вы думаете о <1>RoboSats</1>?",
"Thank you! RoboSats loves you too ❤️": "Спасибо! RoboSats тоже Вас любит ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats становится лучше с большей ликвидностью и пользователями. Расскажите другу-биткойнеру о Robosat!",
"Thank you for using Robosats!": "Спасибо за использование Robosats!",
"let_us_know_hot_to_improve": "Сообщите нам, как можно улучшить платформу (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Начать Снова",
"Attempting Lightning Payment": "Попытка Lightning платежа",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats пытается оплатить Ваш Lightning инвойс. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Retrying!": "Повторная попытка!",
"Lightning Routing Failed": "Раутинг через Lightning не удался",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Срок действия Вашего инвойса истёк или было сделано более трёх попыток оплаты. Отправьте новый инвойс.",
"Check the list of compatible wallets": "Проверьте список совместимых кошельков",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats будет пытаться оплатить Ваш инвойс 3и раза каждые 1ть минут. Если это не удастся, Вы сможете отправить новый инвойс. Проверьте, достаточно ли у Вас входящей ликвидности. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Next attempt in": "Следующая попытка через",
"Do you want to open a dispute?": "Хотите ли Вы открыть диспут?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Персонал RoboSats рассмотрит предоставленные заявления и доказательства. Вам необходимо построить полное дело, так как сотрудники не могут читать чат. Лучше всего указать одноразовый метод контакта вместе с Вашим заявлением. Сатоши в эскроу сделки будут отправлены победителю диспута, а проигравший в диспуте потеряет залог.",
"Disagree": "Не согласиться",
"Agree and open dispute": "Согласиться и открыть диспут",
"A dispute has been opened": "Диспут открыт",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Пожалуйста, отправьте своё заявление. Ясно и конкретно опишите, что произошло, и предоставьте необходимые доказательства. Чтобы связаться с персоналом Вы ДОЛЖНЫ указать способ связи: одноразовая электронная почта, XMPP или имя пользователя в Telegram. Споры решаются на усмотрение настоящих роботов (также известных как люди), поэтому будьте как можно более конструктивны, чтобы обеспечить справедливый результат. Максимум 5000 символов.",
"Submit dispute statement": "Отправить заявление о диспуте",
"We have received your statement": "Мы получили Ваше заявление",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Мы ждём заявление Вашего торгового партнёра. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Пожалуйста, сохраните информацию, необходимую для идентификации Вашего ордера и Ваших платежей: ID ордера, хэши платежей залога или эскроу (проверьте свой кошелек Lightning), точную сумму Сатоши и псевдоним робота. Вам нужно будет идентифицировать себя как пользователя участвующего в этой сделке по электронной почте (или другим способом связи).",
"We have the statements": "У нас есть заявления",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Оба заявления получены, дождитесь разрешения диспута персоналом. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com. Если Вы не указали способ связи, или не уверены, правильно ли Вы его написали, немедленно свяжитесь с нами.",
"You have won the dispute": "Вы выиграли диспут",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Вы можете запросить сумму разрешения диспута (эскроу и залог) из вознаграждений Вашего профиля. Если есть что-то, с чем персонал может Вам помочь, не стесняйтесь обращаться по адресу robosats@protonmail.com (или через предоставленный Вами одноразовый способ связи).",
"You have lost the dispute": "Вы проиграли диспут",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "К сожалению, Вы проиграли диспут. Если Вы считаете, что это ошибка, Вы можете попросить повторно открыть диспут по электронной почте robosats@protonmail.com. Однако шансы на то, что диспут будет расследован снова, невелики.",
"Expired not taken": "Просрочен не взят",
"Maker bond not locked": "Залог мейкера не заблокирован",
"Escrow not locked": "Эскроу не заблокирован",
"Invoice not submitted": "Инвойс не отправлен",
"Neither escrow locked or invoice submitted": "Эскроу не заблокирован и инвойс не отправлен",
"Renew Order": "Обновить ордер",
"Pause the public order": "Приостановить публичный ордер",
"Your order is paused": "Ваш ордер приостановлен",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Ваш публичный ордер приостановлен. В данный момент его не могут увидеть или принять другие роботы. Вы можете запустить его в любое время.",
"Unpause Order": "Запустить ордер",
"You risk losing your bond if you do not lock the collateral. Total time available is {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.": "Вы рискуете потерять залог, если не заблокируете депозит. Доступное время составляет {{deposit_timer_hours}}ч {{deposit_timer_minutes}}м.",
"See Compatible Wallets": "Смотреть Совместимые Кошельки",
"Failure reason:": "Причина неудачи:",
"Payment isn't failed (yet)": "Платеж не провален (пока)",
"There are more routes to try, but the payment timeout was exceeded.": "Есть ещё маршруты, которые можно попробовать, но превышено время ожидания платежа.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Все возможные маршруты были испробованы и не удались. Возможно, что к месту назначения вообще не было маршрутов.",
"A non-recoverable error has occurred.": "Произошла неисправимая ошибка.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Платежные реквизиты неверны (неизвестный хэш, неверная сумма или неверная окончательная дельта CLTV ).",
"Insufficient unlocked balance in RoboSats' node.": "Недостаточно разблокированного баланса на ноде RoboSats.",
"The invoice submitted only has expensive routing hints, you are using an incompatible wallet (probably Muun?). Check the wallet compatibility guide at wallets.robosats.com": "Отправленный инвойс содержит только дорогие подсказки для раутинга, Вы используете несовместимый кошелек (вероятно, Muun?). Проверьте руководство по совместимости кошелька на wallets.robosats.com",
"The invoice provided has no explicit amount": "В предоставленном счете нет точной суммы",
"Does not look like a valid lightning invoice": "Не похоже на действительный Lightning инвойс",
"The invoice provided has already expired": "Срок действия предоставленного инвойса уже истёк",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Обязательно ЭКСПОРТИРУЙТЕ журнал чата. Персонал может запросить Ваш экспортированный журнал чата в формате JSON для устранения несоответствий. Вы несёте ответственность за его сохранение.",
"Invalid address": "Неверный адрес",
"Unable to validate address, check bitcoind backend": "Невозможно проверить адрес, проверить бэкэнд биткойна",
"Submit payout info for {{amountSats}} Sats": "Отправить информацию о выплате на {{amountSats}} Сатоши",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Отправьте действительный инвойс на {{amountSats}} Сатоши.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Прежде чем позволить Вам отправить {{amountFiat}} {{currencyCode}}, мы хотим убедиться, что Вы можете получить BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats произведёт своп и отправит Сатоши на Ваш ончейн адрес.",
"Swap fee": "Комиссия за своп",
"Mining fee": "Комиссия майнерам",
"Mining Fee": "Комиссия Майнерам",
"Final amount you will receive": "Окончательная сумма, которую Вы получите",
"Bitcoin Address": "Биткойн Адрес",
"Your TXID": "Ваш TXID",
"Lightning": "Лайтнинг",
"Onchain": "Ончейн",
"open_dispute": "Для открытия диспута нужно подождать <1><1/>",
"Trade Summary": "Сводка Сделки",
"Maker": "Мейкер",
"Taker": "Тейкер",
"User role": "Роль пользователя",
"Sent": "Отправлено",
"Received": "Получено",
"BTC received": "BTC получено",
"BTC sent": "BTC отправлено",
"{{tradeFeeSats}} Sats ({{tradeFeePercent}}%)": "{{tradeFeeSats}} Сатоши ({{tradeFeePercent}}%)",
"Trade fee": "Комиссия сделки",
"{{swapFeeSats}} Sats ({{swapFeePercent}}%)": "{{swapFeeSats}} Сатоши ({{swapFeePercent}}%)",
"Onchain swap fee": "Комиссия за ончйн своп",
"{{miningFeeSats}} Sats": "{{miningFeeSats}} Сатоши",
"{{bondSats}} Sats ({{bondPercent}}%)": "{{bondSats}} Сатоши ({{bondPercent}}%)",
"Maker bond": "Залог мейкера",
"Taker bond": "Залог тейкера",
"Unlocked": "Разблокировано",
"{{revenueSats}} Sats": "{{revenueSats}} Сатоши",
"Platform trade revenue": "Доход платформы от торговли",
"{{routingFeeSats}} MiliSats": "{{routingFeeSats}} МилиСатоши",
"Platform covered routing fee": "Плата за раутинг, покрываемая платформой",
"Timestamp": "Временная метка",
"Completed in": "Завершено за",
"Contract exchange rate": "Курс обмена контракта",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"Close":"Закрыть",
"What is RoboSats?":"Что такое RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.":"Это P2P обмен BTC/Фиат через Lightning.",
"RoboSats is an open source project ":"RoboSats — это проект с открытым исходным кодом.",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.":"Он упрощает поиск партнёров и сводит к минимуму потребность в доверии. RoboSats фокусируется на конфиденциальности и скорости.",
"(GitHub).":"(GitHub).",
"How does it work?":"Как это работает?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!":"Алиса01 хочет продать Биткойн. Она размещает ордер на продажу. Боб02 хочет купить Биткойн и принимает ордер Алисы. Оба должны разместить небольшой залог, используя Lightning, чтобы доказать, что они настоящие роботы. Затем Алиса размещает депозит, также используя Lightning холд инвойс. RoboSats блокирует инвойс до тех пор, пока Алиса не подтвердит, что она получила фиат, затем Сатоши передаются Бобу. Наслаждайся своими Сатоши, Боб!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.":"Алиса01 и Боб02 не доверяют Биткойн средства друг другу ни на каком из этапов сделки. В случае возникновения конфликта персонал RoboSats поможет разрешить диспут.",
"You can find a step-by-step description of the trade pipeline in ":"Вы можете найти пошаговое описание этапов сделки в ",
"How it works":"Как это работает",
"You can also check the full guide in ":"Вы также можете ознакомиться с полным руководством в ",
"How to use":"Как использовать",
"What payment methods are accepted?":"Какие способы оплаты принимаются?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.":"Все, если они быстрые. Вы можете записать свой предпочитаемый способ(ы) оплаты. Ваш метод оплаты должен совпасть с методом оплаты Вашего партнёра. Этап по обмену фиатной валюты составляет 24 часа, перед тем как автоматически откроется диспут. Мы настоятельно рекомендуем использовать мгновенные фиатные платёжные системы.",
"Are there trade limits?":"Существуют ли ограничения торговли?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).":"Максимальный размер одной сделки составляет {{maxAmount}} Сатоши, чтобы свести к минимуму сбои Lightning раутинга. Количество сделок в день не ограничено. Робот может иметь только один ордер за раз. Однако Вы можете использовать несколько роботов одновременно в разных браузерах (не забудьте сделать резервную копию токенов робота!).",
"Is RoboSats private?":"Является ли RoboSats конфиденциальным?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.":"RoboSats никогда не спросит Ваше имя, страну или идентификацию личности. RoboSats не хранит Ваши средства и не заботится о том, кто Вы. RoboSats не собирает и не хранит никаких личных данных. Для максимальной анонимности используйте браузер Tor и доступ к скрытому сервису .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.":"Ваш торговый партнёр — единственный, кто потенциально может узнать что-либо о Вас. Будьте краткими и лаконичными в чате. Избегайте предоставления второстепенной информации, кроме необходимой для платежа в фиатной валюте.",
"What are the risks?":"Каковы риски?",
"This is an experimental application, things could go wrong. Trade small amounts!":"Это экспериментальное приложение, что-то может пойти не так. Торгуйте небольшими суммами!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.":"Продавец сталкивается с тем же риском возврата платежа, что и в случае с любым другим P2P сервисом. Paypal или кредитные карты не рекомендуются.",
"What is the trust model?":"Какова модель доверия?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.":"Покупатель и продавец никогда не должны доверять друг другу. Некоторое доверие к RoboSats необходимо, поскольку соединение инвойса продавца с платежём покупателя не является атомным (пока). Кроме того, диспуты решаются персоналом RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq":"Для полной ясности. Требования к доверию сведены к минимуму. Тем не менее, есть ещё один способ как RoboSats может сбежать с Вашими Сатоши: не передать Сатоши покупателю. Можно утверждать, что такой шаг не в интересах RoboSats, поскольку вознаграждение не велико, но навсегда повредит репутации. Тем не менее, Вы должны призадуматься и торговать только небольшими суммами за раз. Для больших сумм используйте ончейн эскроу сервис, такой как Bisq.",
"You can build more trust on RoboSats by inspecting the source code.":"Вы можете повысить доверие к RoboSats, проверив исходный код.",
"Project source code":"Исходный код проекта",
"What happens if RoboSats suddenly disappears?":"Что произойдёт, если RoboSats внезапно исчезнет?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.":"Ваши Сатоши вернутся к Вам. Любой неоплаченный инвойс будет автоматически возвращён, даже если RoboSats выйдет из строя навсегда. Это верно как для заблокированных залогов, так и для эскроу. Однако, есть небольшой промежуток времени между тем как продавец подтверждает ПОЛУЧЕНИЕ ФИАТА и тем как покупатель получает Cатоши, когда средства могут быть безвозвратно потеряны если RoboSats исчезнет. Это окно длится около 1ой секунды. Убедитесь, что у Вас достаточно входящей ликвидности, чтобы избежать сбоев раутинга. Если у Вас есть какие-либо проблемы, обратитесь к нам через публичные каналы RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.":"Во многих странах использование RoboSats не отличается от использования Ebay или Craiglist. Ваше законодательство может отличаться. Вы обязаны его соблюдать.",
"Is RoboSats legal in my country?":"Легален ли RoboSats в моей стране?",
"Disclaimer":"Дисклеймер",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ":"Это приложение Lightning предоставляется как есть. Оно находится в активной разработке: торгуйте с максимальной осторожностью. Частной поддержки нет. Поддержка предлагается только по публичным каналам ",
"(Telegram)":"(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.":". RoboSats никогда не будет связыватся с Вами первым. RoboSats никогда не попросит Ваш токен робота."
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Закрыть",
"What is RoboSats?": "Что такое RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Это P2P обмен BTC/Фиат через Lightning.",
"RoboSats is an open source project ": "RoboSats — это проект с открытым исходным кодом.",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Он упрощает поиск партнёров и сводит к минимуму потребность в доверии. RoboSats фокусируется на конфиденциальности и скорости.",
"(GitHub).": "(GitHub).",
"How does it work?": "Как это работает?",
"AnonymousAlice01 wants to sell bitcoin. She posts a sell order. BafflingBob02 wants to buy bitcoin and he takes Alice's order. Both have to post a small bond using lightning to prove they are real robots. Then, Alice posts the trade collateral also using a lightning hold invoice. RoboSats locks the invoice until Alice confirms she received the fiat, then the satoshis are released to Bob. Enjoy your satoshis, Bob!": "Алиса01 хочет продать Биткойн. Она размещает ордер на продажу. Боб02 хочет купить Биткойн и принимает ордер Алисы. Оба должны разместить небольшой залог, используя Lightning, чтобы доказать, что они настоящие роботы. Затем Алиса размещает депозит, также используя Lightning холд инвойс. RoboSats блокирует инвойс до тех пор, пока Алиса не подтвердит, что она получила фиат, затем Сатоши передаются Бобу. Наслаждайся своими Сатоши, Боб!",
"At no point, AnonymousAlice01 and BafflingBob02 have to entrust the bitcoin funds to each other. In case they have a conflict, RoboSats staff will help resolving the dispute.": "Алиса01 и Боб02 не доверяют Биткойн средства друг другу ни на каком из этапов сделки. В случае возникновения конфликта персонал RoboSats поможет разрешить диспут.",
"You can find a step-by-step description of the trade pipeline in ": "Вы можете найти пошаговое описание этапов сделки в ",
"How it works": "Как это работает",
"You can also check the full guide in ": "Вы также можете ознакомиться с полным руководством в ",
"How to use": "Как использовать",
"What payment methods are accepted?": "Какие способы оплаты принимаются?",
"All of them as long as they are fast. You can write down your preferred payment method(s). You will have to match with a peer who also accepts that method. The step to exchange fiat has a expiry time of 24 hours before a dispute is automatically open. We highly recommend using instant fiat payment rails.": "Все, если они быстрые. Вы можете записать свой предпочитаемый способ(ы) оплаты. Ваш метод оплаты должен совпасть с методом оплаты Вашего партнёра. Этап по обмену фиатной валюты составляет 24 часа, перед тем как автоматически откроется диспут. Мы настоятельно рекомендуем использовать мгновенные фиатные платёжные системы.",
"Are there trade limits?": "Существуют ли ограничения торговли?",
"Maximum single trade size is {{maxAmount}} Satoshis to minimize lightning routing failure. There is no limits to the number of trades per day. A robot can only have one order at a time. However, you can use multiple robots simultaneously in different browsers (remember to back up your robot tokens!).": "Максимальный размер одной сделки составляет {{maxAmount}} Сатоши, чтобы свести к минимуму сбои Lightning раутинга. Количество сделок в день не ограничено. Робот может иметь только один ордер за раз. Однако Вы можете использовать несколько роботов одновременно в разных браузерах (не забудьте сделать резервную копию токенов робота!).",
"Is RoboSats private?": "Является ли RoboSats конфиденциальным?",
"RoboSats will never ask you for your name, country or ID. RoboSats does not custody your funds and does not care who you are. RoboSats does not collect or custody any personal data. For best anonymity use Tor Browser and access the .onion hidden service.": "RoboSats никогда не спросит Ваше имя, страну или идентификацию личности. RoboSats не хранит Ваши средства и не заботится о том, кто Вы. RoboSats не собирает и не хранит никаких личных данных. Для максимальной анонимности используйте браузер Tor и доступ к скрытому сервису .onion.",
"Your trading peer is the only one who can potentially guess anything about you. Keep your chat short and concise. Avoid providing non-essential information other than strictly necessary for the fiat payment.": "Ваш торговый партнёр — единственный, кто потенциально может узнать что-либо о Вас. Будьте краткими и лаконичными в чате. Избегайте предоставления второстепенной информации, кроме необходимой для платежа в фиатной валюте.",
"What are the risks?": "Каковы риски?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Это экспериментальное приложение, что-то может пойти не так. Торгуйте небольшими суммами!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Продавец сталкивается с тем же риском возврата платежа, что и в случае с любым другим P2P сервисом. Paypal или кредитные карты не рекомендуются.",
"What is the trust model?": "Какова модель доверия?",
"The buyer and the seller never have to trust each other. Some trust on RoboSats is needed since linking the seller's hold invoice and buyer payment is not atomic (yet). In addition, disputes are solved by the RoboSats staff.": "Покупатель и продавец никогда не должны доверять друг другу. Некоторое доверие к RoboSats необходимо, поскольку соединение инвойса продавца с платежём покупателя не является атомным (пока). Кроме того, диспуты решаются персоналом RoboSats.",
"To be totally clear. Trust requirements are minimized. However, there is still one way RoboSats could run away with your satoshis: by not releasing the satoshis to the buyer. It could be argued that such move is not in RoboSats' interest as it would damage the reputation for a small payout. However, you should hesitate and only trade small quantities at a time. For large amounts use an onchain escrow service such as Bisq": "Для полной ясности. Требования к доверию сведены к минимуму. Тем не менее, есть ещё один способ как RoboSats может сбежать с Вашими Сатоши: не передать Сатоши покупателю. Можно утверждать, что такой шаг не в интересах RoboSats, поскольку вознаграждение не велико, но навсегда повредит репутации. Тем не менее, Вы должны призадуматься и торговать только небольшими суммами за раз. Для больших сумм используйте ончейн эскроу сервис, такой как Bisq.",
"You can build more trust on RoboSats by inspecting the source code.": "Вы можете повысить доверие к RoboSats, проверив исходный код.",
"Project source code": "Исходный код проекта",
"What happens if RoboSats suddenly disappears?": "Что произойдёт, если RoboSats внезапно исчезнет?",
"Your sats will return to you. Any hold invoice that is not settled would be automatically returned even if RoboSats goes down forever. This is true for both, locked bonds and trading escrows. However, there is a small window between the seller confirms FIAT RECEIVED and the moment the buyer receives the satoshis when the funds could be permanently lost if RoboSats disappears. This window is about 1 second long. Make sure to have enough inbound liquidity to avoid routing failures. If you have any problem, reach out trough the RoboSats public channels.": "Ваши Сатоши вернутся к Вам. Любой неоплаченный инвойс будет автоматически возвращён, даже если RoboSats выйдет из строя навсегда. Это верно как для заблокированных залогов, так и для эскроу. Однако, есть небольшой промежуток времени между тем как продавец подтверждает ПОЛУЧЕНИЕ ФИАТА и тем как покупатель получает Cатоши, когда средства могут быть безвозвратно потеряны если RoboSats исчезнет. Это окно длится около 1ой секунды. Убедитесь, что у Вас достаточно входящей ликвидности, чтобы избежать сбоев раутинга. Если у Вас есть какие-либо проблемы, обратитесь к нам через публичные каналы RoboSats.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "Во многих странах использование RoboSats не отличается от использования Ebay или Craiglist. Ваше законодательство может отличаться. Вы обязаны его соблюдать.",
"Is RoboSats legal in my country?": "Легален ли RoboSats в моей стране?",
"Disclaimer": "Дисклеймер",
"This lightning application is provided as is. It is in active development: trade with the utmost caution. There is no private support. Support is only offered via public channels ": "Это приложение Lightning предоставляется как есть. Оно находится в активной разработке: торгуйте с максимальной осторожностью. Частной поддержки нет. Поддержка предлагается только по публичным каналам ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats никогда не будет связыватся с Вами первым. RoboSats никогда не попросит Ваш токен робота."
}

View File

@ -399,7 +399,7 @@
"Onchain": "Onchain",
"open_dispute": "För att öppna en dispyt behöver du vänta <1><1/>",
"INFO DIALOG - InfoDiagog.js":"App information and clarifications and terms of use",
"INFO DIALOG - InfoDiagog.js": "App information and clarifications and terms of use",
"Close": "Stäng",
"What is RoboSats?": "Vad är RoboSats?",
"It is a BTC/FIAT peer-to-peer exchange over lightning.": "Det är en BTC/FIAT peer-to-peer-handelsplattform över Lightning Network.",

File diff suppressed because it is too large Load Diff

View File

@ -11,7 +11,7 @@
"resolveJsonModule": true,
"isolatedModules": true,
"noEmit": true,
"jsx": "react-jsx",
"jsx": "react-jsx"
},
"include": ["src"]
}

View File

@ -1,32 +1,28 @@
import path from "path";
import { Configuration } from "webpack";
import path from 'path';
import { Configuration } from 'webpack';
const config: Configuration = {
entry: "./src/index.js",
entry: './src/index.js',
module: {
rules: [
{
test: /\.(ts|js)x?$/,
exclude: /node_modules/,
use: {
loader: "babel-loader",
loader: 'babel-loader',
options: {
presets: [
"@babel/preset-env",
"@babel/preset-react",
"@babel/preset-typescript",
],
presets: ['@babel/preset-env', '@babel/preset-react', '@babel/preset-typescript'],
},
},
},
],
},
resolve: {
extensions: [".tsx", ".ts", ".jsx", ".js"],
extensions: ['.tsx', '.ts', '.jsx', '.js'],
},
output: {
path: path.resolve(__dirname, "static/frontend"),
filename: "main.js",
path: path.resolve(__dirname, 'static/frontend'),
filename: 'main.js',
},
};

5
version.json Normal file
View File

@ -0,0 +1,5 @@
{
"major":0,
"minor":2,
"patch":0
}