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 f5f707bd4e
No known key found for this signature in database
GPG Key ID: 9C4585B561315571
45 changed files with 6311 additions and 6000 deletions

View File

@ -1,11 +1,16 @@
name: Android Build
on:
workflow_dispatch:
workflow_call:
inputs:
semver:
required: true
type: string
push:
branches: [ "main" , "android-webview-app-ts"]
branches: [ "main" ]
paths: [ "mobile", "frontend" ]
pull_request:
branches: [ "main" , "android-webview-app-ts"]
branches: [ "main" ]
paths: [ "mobile", "frontend" ]
jobs:
@ -37,8 +42,40 @@ jobs:
id: commit
uses: pr-mpt/actions-commit-hash@v1
- name: 'Upload .apk Artifact'
- name: 'Upload .apk Artifact (for Release)'
uses: actions/upload-artifact@v3
if: inputs.semver != '' # If this workflow is called from release.yml
with:
name: robosats-${{ inputs.semver }}.apk
path: mobile/android/app/build/outputs/apk/release/app-release.apk
- name: 'Upload .apk Artifact (for Pre-release)'
uses: actions/upload-artifact@v3
if: inputs.semver == '' # only if this workflow is not called from a push to tag (a Release)
with:
name: robosats-${{ steps.commit.outputs.short }}.apk
path: mobile/android/app/build/outputs/apk/release/app-release.apk
path: mobile/android/app/build/outputs/apk/release/app-release.apk
- name: 'Create Pre-release'
id: create_release
if: inputs.semver == '' # only if this workflow is not called from a push to tag (a Release)
uses: actions/create-release@v1
env:
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
with:
tag_name: android-${{ steps.commit.outputs.short }}
release_name: robosats-alpha-${{ steps.commit.outputs.short }}
draft: false
prerelease: true
- name: 'Upload Pre-release APK Asset'
id: upload-release-asset
if: inputs.semver == '' # only if this workflow is not called from a push to tag (a Release)
uses: actions/upload-release-asset@v1
env:
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
with:
upload_url: ${{ steps.create_release.outputs.upload_url }}
asset_path: ./mobile/android/app/build/outputs/apk/release/app-release.apk
asset_name: robosats-${{ steps.commit.outputs.short }}.apk
asset_content_type: application/apk

View File

@ -2,6 +2,7 @@ name: Client App Image CI/CD
on:
workflow_dispatch:
workflow_call:
push:
branches: [ "main" ]
paths: ["frontend", "nodeapp"]
@ -9,9 +10,9 @@ on:
branches: [ "main" ]
paths: ["frontend", "nodeapp"]
concurrency:
group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
cancel-in-progress: true
# concurrency:
# group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
# cancel-in-progress: true
jobs:
push_to_registry:
@ -20,7 +21,7 @@ jobs:
steps:
- uses: actions/checkout@v3
- name: 'Copy Static' # Only needed because Github actions does not support symlinks
- name: 'Copy Static' # Needed since Github actions does not support symlinks
run: |
rm nodeapp/static
cp -r frontend/static nodeapp/static
@ -47,12 +48,12 @@ jobs:
tags: |
type=ref,event=branch
type=ref,event=pr
type=ref,event=tag
type=semver,pattern={{version}}
type=semver,pattern={{major}}.{{minor}}
type=semver,pattern={{major}}
type=sha
type=sha,enable=true,priority=100,prefix=,suffix=,format=short
type=raw,value=latest,enable=${{ github.ref == format('refs/heads/{0}', 'main') }}
- name: 'Get Commit Hash'
id: commit
uses: pr-mpt/actions-commit-hash@v1
@ -69,8 +70,6 @@ jobs:
context: ./nodeapp
platforms: linux/amd64,linux/arm64
push: true
tags: |
recksato/robosats-client:${{ steps.commit.outputs.short }}
recksato/robosats-client:latest
tags: ${{ steps.meta.outputs.tags }}
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,17 +1,12 @@
name: Backend Image CI
name: Coodinator Image CI
on:
workflow_dispatch:
push:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats", "frontend"]
pull_request:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats", "frontend"]
workflow_call:
concurrency:
group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
cancel-in-progress: true
# concurrency:
# group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
# cancel-in-progress: true
jobs:
push_to_registry:
@ -42,10 +37,10 @@ jobs:
tags: |
type=ref,event=branch
type=ref,event=pr
type=ref,event=tag
type=semver,pattern={{version}}
type=semver,pattern={{major}}.{{minor}}
type=semver,pattern={{major}}
type=sha
type=sha,enable=true,priority=100,prefix=,suffix=,format=short
type=raw,value=latest,enable=${{ github.ref == format('refs/heads/{0}', 'main') }}
- name: 'Get Commit Hash'
@ -61,8 +56,6 @@ jobs:
with:
context: .
push: true
tags: |
recksato/robosats:${{ steps.commit.outputs.short }}
recksato/robosats:latest
tags: ${{ steps.meta.outputs.tags }}
labels: ${{ steps.meta.outputs.labels }}

View File

@ -2,6 +2,7 @@ name: Django Tests
on:
workflow_dispatch:
workflow_call:
push:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats"]
@ -9,9 +10,9 @@ on:
branches: [ "main" ]
paths: ["api", "chat", "control", "robosats"]
concurrency:
group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
cancel-in-progress: true
# concurrency:
# group: '${{ github.workflow }} @ ${{ github.event.pull_request.head.label || github.head_ref || github.ref }}'
# cancel-in-progress: true
jobs:
build:
@ -55,4 +56,4 @@ jobs:
mv .env-sample .env
- name: 'Tests'
run: |
python manage.py test
python manage.py test

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,10 +53,16 @@ jobs:
with:
name: main-js
path: frontend/static/frontend/main.js
- name: 'Invoke Backend Build CI workflow'
invoke-docker-builds:
if: inputs.semver == ''
runs-on: ubuntu-latest
needs: build
steps:
- name: 'Invoke Coodinator Image CI'
uses: benc-uk/workflow-dispatch@v1
with:
workflow: 'Backend Image CI'
workflow: 'Coodinator Image CI'
token: ${{ secrets.PERSONAL_TOKEN }}
- name: 'Invoke Client App Build CI/CD workflow'
uses: benc-uk/workflow-dispatch@v1

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

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

@ -0,0 +1,101 @@
name: Release
on:
push:
tags:
- "v*.*.*"
jobs:
check-versions:
runs-on: ubuntu-latest
outputs:
semver: ${{ steps.validate.outputs.semver }}
steps:
- name: 'Checkout'
uses: actions/checkout@v3
- name: 'Validate versions match (tag, backend, frontend, Android)'
id: validate
shell: bash
run: |
semver=$(git describe --tags --abbrev=0)
IFS=-
read -ra semverArray <<< $semver
tagV=$(echo ${semverArray[0]} | sed 's/v//')
clientV=$(jq -r .version frontend/package.json)
coordinatorV=$(jq -r .major version.json).$(jq -r .minor version.json).$(jq -r .patch version.json)
printf "Client version: ${clientV}\nCoordinator version: ${coordinatorV}\nGit tag version: ${tagV}\n"
if [ "$coordinatorV" = "$clientV" ] && [ "$coordinatorV" = "$tagV" ] ; then
echo "Versions match!"
echo '::set-output name=semver::'$semver
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-versions.outputs.semver }}
coordinator-image:
uses: reckless-satoshi/robosats/.github/workflows/coordinator-image.yml@main
needs: [django-test, frontend-build]
secrets: inherit
client-image:
uses: reckless-satoshi/robosats/.github/workflows/client-image.yml@main
needs: frontend-build
secrets: inherit
# Disabled until first Android APK release
# android-build:
# uses: reckless-satoshi/robosats/.github/workflows/coordinator-image.yml@main
# needs: frontend-build
# with:
# semver: ${{ needs.check-versions.outputs.semver }}
release:
needs: [check-versions, coordinator-image, client-image] #, android-build]
runs-on: ubuntu-latest
steps:
- name: Checkout
uses: actions/checkout@v2
- name: "Generate Release Changelog"
id: changelog
uses: heinrichreimer/github-changelog-generator-action@v2.3
with:
token: ${{ secrets.GITHUB_TOKEN }}
- name: Release
id: create-release
uses: softprops/action-gh-release@v1
with:
body: ${{ steps.changelog.outputs.changelog }}
# Disabled until first Android APK release
# - name: 'Download APK Artifact'
# uses: dawidd6/action-download-artifact@v2
# with:
# workflow: android-build.yml
# workflow_conclusion: success
# name: robosats-${{ needs.check-versions.outputs.semver }}.apk
# path: .
# - name: 'Upload APK Asset'
# id: upload-release-asset
# uses: actions/upload-release-asset@v1
# env:
# GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
# with:
# upload_url: ${{ steps.create-release.outputs.upload_url }}
# asset_path: app-release.apk
# asset_name: robosats-${{ needs.check-versions.outputs.semver }}.apk
# asset_content_type: application/apk

View File

@ -1,5 +1,5 @@
## RoboSats - Buy and sell Satoshis Privately
[![Docker Image CI](https://github.com/Reckless-Satoshi/robosats/actions/workflows/docker-image.yml/badge.svg?branch=main)](https://github.com/Reckless-Satoshi/robosats/actions/workflows/docker-image.yml)
[![Coordinator CI](https://github.com/Reckless-Satoshi/robosats/actions/workflows/coordinator-image.yml/badge.svg?branch=main)](https://github.com/Reckless-Satoshi/robosats/actions/workflows/coordinator-image.yml)
[![Frontend Build](https://github.com/Reckless-Satoshi/robosats/actions/workflows/frontend-build.yml/badge.svg?branch=main)](https://github.com/Reckless-Satoshi/robosats/actions/workflows/frontend-build.yml)
[![release](https://img.shields.io/badge/release-v0.1.0%20MVP-red)](https://github.com/Reckless-Satoshi/robosats/releases)
[![AGPL-3.0 license](https://img.shields.io/badge/license-AGPL--3.0-blue)](https://github.com/Reckless-Satoshi/robosats/blob/main/LICENSE)

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",
@ -39,4 +34,4 @@
"version": "detect"
}
}
}
}

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,23 +80,28 @@ class BottomBar extends Component {
getInfo() {
this.setState(null);
apiClient.get('/api/info/').then(
(data) =>
this.setState(data) &
this.props.setAppState({
nickname: data.nickname,
loading: false,
activeOrderId: data.active_order_id ? data.active_order_id : null,
lastOrderId: data.last_order_id ? data.last_order_id : null,
referralCode: data.referral_code,
tgEnabled: data.tg_enabled,
tgBotName: data.tg_bot_name,
tgToken: data.tg_token,
earnedRewards: data.earned_rewards,
lastDayPremium: data.last_day_nonkyc_btc_premium,
stealthInvoices: data.wants_stealth,
}),
);
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,
activeOrderId: data.active_order_id ? data.active_order_id : null,
lastOrderId: data.last_order_id ? data.last_order_id : null,
referralCode: data.referral_code,
tgEnabled: data.tg_enabled,
tgBotName: data.tg_bot_name,
tgToken: data.tg_token,
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

@ -1,252 +1,264 @@
/* cyrillic-ext */
@font-face {
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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;
}
font-family: 'Roboto';
font-style: normal;
font-weight: 300;
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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 {
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;
}

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,22 +75,21 @@ 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{
width: 20;
.advancedSwitch {
width: 20;
left: 50%;
transform: translate(62px, 0px);
margin-right: 0;
@ -104,71 +107,73 @@ input[type=number] {
}
.newAvatar {
border-radius: 50%;
border: 2px solid #555;
border-radius: 50%;
border: 2px solid #555;
filter: drop-shadow(1px 1px 1px #000000);
}
.profileAvatar {
border: 0.5px solid #555;
border: 0.5px solid #555;
filter: drop-shadow(0.5px 0.5px 0.5px #000000);
left: 35px;
}
.smallAvatar {
border: 0.5px solid #555;
border: 0.5px solid #555;
filter: drop-shadow(0.5px 0.5px 0.5px #000000);
}
.flippedSmallAvatar {
transform: scaleX(-1);
border: 0.3px solid #555;
border: 0.3px solid #555;
filter: drop-shadow(0.5px 0.5px 0.5px #000000);
}
.phoneFlippedSmallAvatar img{
.phoneFlippedSmallAvatar img {
transform: scaleX(-1);
border: 1.3px solid #1976d2;
border: 1.3px solid #1976d2;
-webkit-filter: grayscale(100%);
filter: grayscale(100%) brightness(150%) contrast(150%) drop-shadow(0.7px 0.7px 0.7px #000000);
filter: grayscale(100%) brightness(150%) contrast(150%) drop-shadow(0.7px 0.7px 0.7px #000000);
}
.phoneFlippedSmallAvatar:after {
content: '';
position: absolute;
top: 0; left: 0; bottom: 0; right: 0;
border-radius: 50%;
border: 2.4px solid #1976d2;
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 {
width: 6px; /* for vertical scrollbars */
height: 6px; /* for horizontal scrollbars */
}
::-webkit-scrollbar-track {
background: rgba(0, 0, 0, 0.1);
}
::-webkit-scrollbar-thumb {
background: rgba(0, 0, 0, 0.5);
}
::-webkit-scrollbar
{
width: 6px; /* for vertical scrollbars */
height: 6px; /* for horizontal scrollbars */
}
::-webkit-scrollbar-track
{
background: rgba(0, 0, 0, 0.1);
}
::-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;
height: 100%;
}
}
}

View File

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

View File

@ -1,26 +1,21 @@
{
"coordinator_1": {
"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",
".....":"...."
},
"color": "#FFFFFF",
"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>"
"coordinator_1": {
"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",
".....": "...."
},
"coordinator_2": {
"...":"..."
}
}
"color": "#FFFFFF",
"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>"
},
"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 ***!
\****************************************/

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -1,428 +1,419 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"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",
"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",
"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",
"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}}%",
"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.",
"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",
"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",
"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",
"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}}%",
"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.",
"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",
"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",
"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",
"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",
"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}}",
"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",
"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",
"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",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"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",
"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}}",
"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",
"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

File diff suppressed because it is too large Load Diff

View File

@ -1,446 +1,438 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"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",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"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",
"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",
"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

@ -1,365 +1,359 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"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",
"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",
"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",
"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}}%",
"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",
"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",
"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}}%",
"Must be less than {{maxSats}": "Doit être moins que {{maxSats}}",
"Must be more than {{minSats}}": "Doit être plus que {{minSats}}",
"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",
"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",
"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",
"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",
"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",
"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}}",
"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.",
"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",
"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",
"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}}",
"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.",
"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

@ -1,433 +1,425 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"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",
"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}}%",
"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",
"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",
"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",
"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}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"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}}",
"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.",
"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."
}
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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",
"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",
"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}}%",
"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",
"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",
"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",
"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}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"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}}",
"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.",
"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

@ -1,365 +1,359 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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ć",
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"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ć",
"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ę",
"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ę",
"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",
"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}}%",
"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",
"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",
"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}}%",
"Must be less than {{maxSats}": "To musi być mniej niż {{maxSats}}",
"Must be more than {{minSats}}": "To musi być więcej niż {{minSats}}",
"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",
"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",
"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",
"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",
"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",
"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}}",
"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.",
"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",
"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",
"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}}",
"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.",
"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

@ -92,7 +92,7 @@
"ANY_currency": "QUALQUER",
"BUY": "COMPRAR",
"SELL": "VENDER",
"and receive": "e receber",
"and receive": "e receber",
"and pay with": "e pagar com",
"and use": "e utilizar",
"Select Payment Currency": "Selecione a moeda de pagamento",

File diff suppressed because it is too large Load Diff

View File

@ -1,439 +1,439 @@
{
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"You are not using RoboSats privately": "Du använder inte RoboSats anonymt",
"desktop_unsafe_alert": "Vissa funktioner är inaktiverade för din säkerhet (t.ex. chatten) och du kommer inte att kunna slutföra en trade utan dom. Använd <1>Tor Browser</1> och besök <3>Onion</3>-siten för att skydda din integritet och använda RoboSats till fullo.",
"phone_unsafe_alert": "Du kommer inte att kunna slutföra en trade. Använd <1>Tor Browser</1> och besök <3>Onion</3>-siten.",
"Hide": "Göm",
"UNSAFE ALERT - UnsafeAlert.js": "Alert that shows on top when browsing from the unsafe clearnet sites",
"You are not using RoboSats privately": "Du använder inte RoboSats anonymt",
"desktop_unsafe_alert": "Vissa funktioner är inaktiverade för din säkerhet (t.ex. chatten) och du kommer inte att kunna slutföra en trade utan dom. Använd <1>Tor Browser</1> och besök <3>Onion</3>-siten för att skydda din integritet och använda RoboSats till fullo.",
"phone_unsafe_alert": "Du kommer inte att kunna slutföra en trade. Använd <1>Tor Browser</1> och besök <3>Onion</3>-siten.",
"Hide": "Göm",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Lättanvänd och anonym LN P2P-handelsplattform",
"This is your trading avatar": "Detta är din tradingavatar",
"Store your token safely": "Spara din token säkert",
"A robot avatar was found, welcome back!": "En robotavatar hittades, välkommen tillbaka!",
"Copied!": "Kopierat!",
"Generate a new token": "Generera en ny token",
"Generate Robot": "Generera Robot",
"You must enter a new token first": "Du måste först ange en ny token",
"Make Order": "Skapa order",
"Info": "Info",
"View Book": "Visa orderbok",
"Learn RoboSats": "Learn 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.": "Du är på på väg att besöka Learn RoboSats. Där finns guider och dokumentation som hjälper dig att använda RoboSats och förstå hur det fungerar.",
"Let's go!": "Besök",
"Save token and PGP credentials to file": "Spara token och PGP-uppgifter till fil",
"USER GENERATION PAGE - UserGenPage.js": "Landing Page and User Generation",
"Simple and Private LN P2P Exchange": "Lättanvänd och anonym LN P2P-handelsplattform",
"This is your trading avatar": "Detta är din tradingavatar",
"Store your token safely": "Spara din token säkert",
"A robot avatar was found, welcome back!": "En robotavatar hittades, välkommen tillbaka!",
"Copied!": "Kopierat!",
"Generate a new token": "Generera en ny token",
"Generate Robot": "Generera Robot",
"You must enter a new token first": "Du måste först ange en ny token",
"Make Order": "Skapa order",
"Info": "Info",
"View Book": "Visa orderbok",
"Learn RoboSats": "Learn 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.": "Du är på på väg att besöka Learn RoboSats. Där finns guider och dokumentation som hjälper dig att använda RoboSats och förstå hur det fungerar.",
"Let's go!": "Besök",
"Save token and PGP credentials to file": "Spara token och PGP-uppgifter till fil",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order": "Order",
"Customize": "Konfigurera",
"Buy or Sell Bitcoin?": "Köpa eller sälja bitcoin?",
"Buy": "Köpa",
"Sell": "Sälja",
"Amount": "Summa",
"Amount of fiat to exchange for bitcoin": "Summa fiat att växla till bitcoin",
"Invalid": "Ogiltig",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Välj dina föredragna betalningsmetoder för fiat. Snabba metoder rekommenderas.",
"Must be shorter than 65 characters": "Måste vara kortare än 65 tecken",
"Swap Destination(s)": "Byt destination(er)",
"Fiat Payment Method(s)": "Betalningmetod(er) med fiat",
"You can add any method": "Du kan lägga till vilken metod som helst",
"Add New": "Lägg till ny",
"Choose a Pricing Method": "Välj en prissättningsmetod",
"Relative": "Relativ",
"Let the price move with the market": "Låt priset följa marknaden",
"Premium over Market (%)": "Premium över marknaden (%)",
"Explicit": "Fast",
"Set a fix amount of satoshis": "Ange en fast summa sats",
"Satoshis": "Sats",
"Fixed price: ": "Fast pris: ",
"Order current rate:": "Aktuell kurs: ",
"Your order fixed exchange rate": "Din orders fasta växelkurs",
"Your order's current exchange rate. Rate will move with the market.": "Din orders nuvarande växelkurs. Kursen kommer att följa marknaden.",
"Let the taker chose an amount within the range": "Låt takern välja ett belopp inom detta spann",
"Enable Amount Range": "Aktivera beloppsspann",
"From": "Från",
"to": "till",
"Expiry Timers": "Förfallotimers",
"Public Duration (HH:mm)": "Publikt tidsspann (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Depositionstimeout (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Ange skin-in-the-game, öka för högre säkerhet",
"Fidelity Bond Size": "Storlek på fidelity bond",
"Allow bondless takers": "Allow bondless takers",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "KOMMER SNART - Hög risk! Begränsat till {{limitSats}}K sats",
"You must fill the order correctly": "Du måste fylla ordern korrekt",
"Create Order": "Skapa order",
"Back": "Tillbaka",
"Create an order for ": "Skapa en order för ",
"Create a BTC buy order for ": "Skapa en BTC-köporder för ",
"Create a BTC sell order for ": "Skapa en BTC-säljorder för ",
" of {{satoshis}} Satoshis": " för {{satoshis}} sats",
" at market price": " till marknadspris",
" at a {{premium}}% premium": " med en premium på {{premium}}%",
" at a {{discount}}% discount": " med en rabatt på {{discount}}%",
"Must be less than {{max}}%": "Måste vara mindre än {{max}}%",
"Must be more than {{min}}%": "Måste vara mer än {{min}}%",
"Must be less than {{maxSats}": "Måste vara mindre än {{maxSats}}",
"Must be more than {{minSats}}": "Måste vara mer än {{minSats}}",
"Store your robot token": "Spara din robottoken",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Du kan behöva återställa din robotavatar i framtiden; förvara den säkert. Du kan kopiera den till en annan applikation.",
"Done": "Klar",
"You do not have a robot avatar": "Du har ingen robotavatar",
"You need to generate a robot avatar in order to become an order maker": "Du måste generera en robotavatar för att kunna skapa ordrar",
"MAKER PAGE - MakerPage.js": "This is the page where users can create new orders",
"Order": "Order",
"Customize": "Konfigurera",
"Buy or Sell Bitcoin?": "Köpa eller sälja bitcoin?",
"Buy": "Köpa",
"Sell": "Sälja",
"Amount": "Summa",
"Amount of fiat to exchange for bitcoin": "Summa fiat att växla till bitcoin",
"Invalid": "Ogiltig",
"Enter your preferred fiat payment methods. Fast methods are highly recommended.": "Välj dina föredragna betalningsmetoder för fiat. Snabba metoder rekommenderas.",
"Must be shorter than 65 characters": "Måste vara kortare än 65 tecken",
"Swap Destination(s)": "Byt destination(er)",
"Fiat Payment Method(s)": "Betalningmetod(er) med fiat",
"You can add any method": "Du kan lägga till vilken metod som helst",
"Add New": "Lägg till ny",
"Choose a Pricing Method": "Välj en prissättningsmetod",
"Relative": "Relativ",
"Let the price move with the market": "Låt priset följa marknaden",
"Premium over Market (%)": "Premium över marknaden (%)",
"Explicit": "Fast",
"Set a fix amount of satoshis": "Ange en fast summa sats",
"Satoshis": "Sats",
"Fixed price: ": "Fast pris: ",
"Order current rate:": "Aktuell kurs: ",
"Your order fixed exchange rate": "Din orders fasta växelkurs",
"Your order's current exchange rate. Rate will move with the market.": "Din orders nuvarande växelkurs. Kursen kommer att följa marknaden.",
"Let the taker chose an amount within the range": "Låt takern välja ett belopp inom detta spann",
"Enable Amount Range": "Aktivera beloppsspann",
"From": "Från",
"to": "till",
"Expiry Timers": "Förfallotimers",
"Public Duration (HH:mm)": "Publikt tidsspann (HH:mm)",
"Escrow Deposit Time-Out (HH:mm)": "Depositionstimeout (HH:mm)",
"Set the skin-in-the-game, increase for higher safety assurance": "Ange skin-in-the-game, öka för högre säkerhet",
"Fidelity Bond Size": "Storlek på fidelity bond",
"Allow bondless takers": "Allow bondless takers",
"COMING SOON - High risk! Limited to {{limitSats}}K Sats": "KOMMER SNART - Hög risk! Begränsat till {{limitSats}}K sats",
"You must fill the order correctly": "Du måste fylla ordern korrekt",
"Create Order": "Skapa order",
"Back": "Tillbaka",
"Create an order for ": "Skapa en order för ",
"Create a BTC buy order for ": "Skapa en BTC-köporder för ",
"Create a BTC sell order for ": "Skapa en BTC-säljorder för ",
" of {{satoshis}} Satoshis": " för {{satoshis}} sats",
" at market price": " till marknadspris",
" at a {{premium}}% premium": " med en premium på {{premium}}%",
" at a {{discount}}% discount": " med en rabatt på {{discount}}%",
"Must be less than {{max}}%": "Måste vara mindre än {{max}}%",
"Must be more than {{min}}%": "Måste vara mer än {{min}}%",
"Must be less than {{maxSats}": "Måste vara mindre än {{maxSats}}",
"Must be more than {{minSats}}": "Måste vara mer än {{minSats}}",
"Store your robot token": "Spara din robottoken",
"You might need to recover your robot avatar in the future: store it safely. You can simply copy it into another application.": "Du kan behöva återställa din robotavatar i framtiden; förvara den säkert. Du kan kopiera den till en annan applikation.",
"Done": "Klar",
"You do not have a robot avatar": "Du har ingen robotavatar",
"You need to generate a robot avatar in order to become an order maker": "Du måste generera en robotavatar för att kunna skapa ordrar",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified": "Ej specificerat",
"Instant SEPA": "Instant SEPA",
"Amazon GiftCard": "Amazon-presentkort",
"Google Play Gift Code": "Google Play-presentkod",
"Cash F2F": "Kontanter F2F",
"On-Chain BTC": "On-Chain BTC",
"PAYMENT METHODS - autocompletePayments.js": "Payment method strings",
"not specified": "Ej specificerat",
"Instant SEPA": "Instant SEPA",
"Amazon GiftCard": "Amazon-presentkort",
"Google Play Gift Code": "Google Play-presentkod",
"Cash F2F": "Kontanter F2F",
"On-Chain BTC": "On-Chain BTC",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Säljare",
"Buyer": "Köpare",
"I want to": "Jag vill",
"Select Order Type": "Välj ordertyp",
"ANY_type": "ALLA",
"ANY_currency": "ALLA",
"BUY": "Köp",
"SELL": "Sälj",
"and receive": "och ta emot",
"and pay with": "och betala med",
"and use": "och använda",
"Select Payment Currency": "Välj betalningsvaluta",
"Robot": "Robot",
"Is": "Är",
"Currency": "Valuta",
"Payment Method": "Betalningsmetod",
"Pay": "Betala",
"Price": "Pris",
"Premium": "Premium",
"You are SELLING BTC for {{currencyCode}}": "Du SÄLJER BTC för {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Du KÖPER BTC för {{currencyCode}}",
"You are looking at all": "Du kollar på alla ordrar",
"No orders found to sell BTC for {{currencyCode}}": "Inga ordrar funna att sälja BTC för {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Inga ordrar funna att köpa BTC för {{currencyCode}}",
"Filter has no results": "Filtret har inga resultat",
"Be the first one to create an order": "Bli den första som skapar en order",
"BOOK PAGE - BookPage.js": "The Book Order page",
"Seller": "Säljare",
"Buyer": "Köpare",
"I want to": "Jag vill",
"Select Order Type": "Välj ordertyp",
"ANY_type": "ALLA",
"ANY_currency": "ALLA",
"BUY": "Köp",
"SELL": "Sälj",
"and receive": "och ta emot",
"and pay with": "och betala med",
"and use": "och använda",
"Select Payment Currency": "Välj betalningsvaluta",
"Robot": "Robot",
"Is": "Är",
"Currency": "Valuta",
"Payment Method": "Betalningsmetod",
"Pay": "Betala",
"Price": "Pris",
"Premium": "Premium",
"You are SELLING BTC for {{currencyCode}}": "Du SÄLJER BTC för {{currencyCode}}",
"You are BUYING BTC for {{currencyCode}}": "Du KÖPER BTC för {{currencyCode}}",
"You are looking at all": "Du kollar på alla ordrar",
"No orders found to sell BTC for {{currencyCode}}": "Inga ordrar funna att sälja BTC för {{currencyCode}}",
"No orders found to buy BTC for {{currencyCode}}": "Inga ordrar funna att köpa BTC för {{currencyCode}}",
"Filter has no results": "Filtret har inga resultat",
"Be the first one to create an order": "Bli den första som skapar en order",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Statistik för nördar",
"LND version": "LND-version",
"Currently running commit hash": "Aktuell commithash",
"24h contracted volume": "24h kontrakterad volym",
"Lifetime contracted volume": "Total kontrakterad volym",
"Made with": "Skapad med",
"and": "och",
"... somewhere on Earth!": "... någonstans på jorden!",
"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 ges endast i publika kanaler. Gå med i vår Telegram-community om du har frågor eller bara vill hänga med andra coola robotar. Använd vår GitHub Issues om du hittar en bugg eller önskar nya funktioner!",
"Follow RoboSats in Twitter": "Följ RoboSats på Twitter",
"Twitter Official Account": "Officielt Twitterkonto",
"RoboSats Telegram Communities": "RoboSats Telegram-communities",
"Join RoboSats Spanish speaking community!": "Join RoboSats Spanish speaking community!",
"Join RoboSats Russian speaking community!": "Join RoboSats Russian speaking community!",
"Join RoboSats Chinese speaking community!": "Join RoboSats Chinese speaking community!",
"Join RoboSats English speaking community!": "Join RoboSats English speaking community!",
"Tell us about a new feature or a bug": "Tipsa om en bugg eller ny funktion",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile": "Din profil",
"Your robot": "Din robot",
"One active order #{{orderID}}": "En aktiv order #{{orderID}}",
"Your current order": "Din aktuella order",
"No active orders": "Inga aktiva ordrar",
"Your token (will not remain here)": "Din token (kommer ej finnas kvar här)",
"Back it up!": "Spara den!",
"Cannot remember": "Glömt bort",
"Rewards and compensations": "Belöningar och kompensation",
"Share to earn 100 Sats per trade": "Dela för att tjäna 100 sats per trade",
"Your referral link": "Din referrallänk",
"Your earned rewards": "Du fick belöningar",
"Claim": "Claim",
"Invoice for {{amountSats}} Sats": "Faktura för {{amountSats}} sats",
"Submit": "Skicka",
"There it goes, thank you!🥇": "Så där, tack! 🥇",
"You have an active order": "Du har en aktiv order",
"You can claim satoshis!": "Du kan claima sats!",
"Public Buy Orders": "Publika köpordrar",
"Public Sell Orders": "Publika säljordrar",
"Today Active Robots": "Aktiva robotar idag",
"24h Avg Premium": "24h genomsnittligt premium",
"Trade Fee": "Tradeavgift",
"Show community and support links": "Visa community- och supportlänkar",
"Show stats for nerds": "Visa statistik för nördar",
"Exchange Summary": "Sammanfattning",
"Public buy orders": "Publika köpordrar",
"Public sell orders": "Publika säljordrar",
"Book liquidity": "Orderbokslikviditet",
"Today active robots": "Aktiva robotar idag",
"24h non-KYC bitcoin premium": "24h non-KYC bitcoin premium",
"Maker fee": "Makeravgift",
"Taker fee": "Takeravgift",
"Number of public BUY orders": "Antal publika köpordrar",
"Number of public SELL orders": "Antal publika säljordrar",
"Your last order #{{orderID}}": "Din senaste order #{{orderID}}",
"Inactive order": "Inaktiv order",
"You do not have previous orders": "Du har inga tidigare ordrar",
"Join RoboSats' Subreddit": "Gå med i RoboSats subreddit",
"RoboSats in Reddit": "RoboSats på Reddit",
"Current onchain payout fee": "Aktuell utbetalningsavgift (on-chain)",
"BOTTOM BAR AND MISC - BottomBar.js": "Bottom Bar user profile and miscellaneous dialogs",
"Stats For Nerds": "Statistik för nördar",
"LND version": "LND-version",
"Currently running commit hash": "Aktuell commithash",
"24h contracted volume": "24h kontrakterad volym",
"Lifetime contracted volume": "Total kontrakterad volym",
"Made with": "Skapad med",
"and": "och",
"... somewhere on Earth!": "... någonstans på jorden!",
"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 ges endast i publika kanaler. Gå med i vår Telegram-community om du har frågor eller bara vill hänga med andra coola robotar. Använd vår GitHub Issues om du hittar en bugg eller önskar nya funktioner!",
"Follow RoboSats in Twitter": "Följ RoboSats på Twitter",
"Twitter Official Account": "Officielt Twitterkonto",
"RoboSats Telegram Communities": "RoboSats Telegram-communities",
"Join RoboSats Spanish speaking community!": "Join RoboSats Spanish speaking community!",
"Join RoboSats Russian speaking community!": "Join RoboSats Russian speaking community!",
"Join RoboSats Chinese speaking community!": "Join RoboSats Chinese speaking community!",
"Join RoboSats English speaking community!": "Join RoboSats English speaking community!",
"Tell us about a new feature or a bug": "Tipsa om en bugg eller ny funktion",
"Github Issues - The Robotic Satoshis Open Source Project": "Github Issues - The Robotic Satoshis Open Source Project",
"Your Profile": "Din profil",
"Your robot": "Din robot",
"One active order #{{orderID}}": "En aktiv order #{{orderID}}",
"Your current order": "Din aktuella order",
"No active orders": "Inga aktiva ordrar",
"Your token (will not remain here)": "Din token (kommer ej finnas kvar här)",
"Back it up!": "Spara den!",
"Cannot remember": "Glömt bort",
"Rewards and compensations": "Belöningar och kompensation",
"Share to earn 100 Sats per trade": "Dela för att tjäna 100 sats per trade",
"Your referral link": "Din referrallänk",
"Your earned rewards": "Du fick belöningar",
"Claim": "Claim",
"Invoice for {{amountSats}} Sats": "Faktura för {{amountSats}} sats",
"Submit": "Skicka",
"There it goes, thank you!🥇": "Så där, tack! 🥇",
"You have an active order": "Du har en aktiv order",
"You can claim satoshis!": "Du kan claima sats!",
"Public Buy Orders": "Publika köpordrar",
"Public Sell Orders": "Publika säljordrar",
"Today Active Robots": "Aktiva robotar idag",
"24h Avg Premium": "24h genomsnittligt premium",
"Trade Fee": "Tradeavgift",
"Show community and support links": "Visa community- och supportlänkar",
"Show stats for nerds": "Visa statistik för nördar",
"Exchange Summary": "Sammanfattning",
"Public buy orders": "Publika köpordrar",
"Public sell orders": "Publika säljordrar",
"Book liquidity": "Orderbokslikviditet",
"Today active robots": "Aktiva robotar idag",
"24h non-KYC bitcoin premium": "24h non-KYC bitcoin premium",
"Maker fee": "Makeravgift",
"Taker fee": "Takeravgift",
"Number of public BUY orders": "Antal publika köpordrar",
"Number of public SELL orders": "Antal publika säljordrar",
"Your last order #{{orderID}}": "Din senaste order #{{orderID}}",
"Inactive order": "Inaktiv order",
"You do not have previous orders": "Du har inga tidigare ordrar",
"Join RoboSats' Subreddit": "Gå med i RoboSats subreddit",
"RoboSats in Reddit": "RoboSats på Reddit",
"Current onchain payout fee": "Aktuell utbetalningsavgift (on-chain)",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box": "Orderbox",
"Contract": "Kontrakt",
"Active": "Aktiv",
"Seen recently": "Aktiv nyligen",
"Inactive": "Inaktiv",
"(Seller)": "(Säljare)",
"(Buyer)": "(Köpare)",
"Order maker": "Ordermaker",
"Order taker": "Ordertaker",
"Order Details": "Orderdetaljer",
"Order status": "Orderstatus",
"Waiting for maker bond": "Väntar på makerobligationen",
"Public": "Publik",
"Waiting for taker bond": "Väntar på takerobligationen",
"Cancelled": "Makulerad",
"Expired": "Förfallen",
"Waiting for trade collateral and buyer invoice": "Väntar på deposition och faktura från köparen",
"Waiting only for seller trade collateral": "Väntar på säljarens deposition",
"Waiting only for buyer invoice": "Väntar på köparens faktura",
"Sending fiat - In chatroom": "Skickar fiat - I chattrummet",
"Fiat sent - In chatroom": "Fiat skickat - I chattrummet",
"In dispute": "I dispyt",
"Collaboratively cancelled": "Makulerad av båda parter",
"Sending satoshis to buyer": "Skickar sats till köparen",
"Sucessful trade": "Lyckad trade",
"Failed lightning network routing": "Misslyckades med Lightning Network-routing",
"Wait for dispute resolution": "Vänta på dispytbeslut",
"Maker lost dispute": "Maker förlorade dispyten",
"Taker lost dispute": "Taker förlorade dispyten",
"Amount range": "Beloppsspann",
"Swap destination": "Byt destination",
"Accepted payment methods": "Accepterade betalningsmetoder",
"Others": "Andra",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%",
"Price and Premium": "Pris och premium",
"Amount of Satoshis": "Summa sats",
"Premium over market price": "Premium över marknadspris",
"Order ID": "Order-ID",
"Deposit timer": "Insättningstimer",
"Expires in": "Förfaller om",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} ber om att kollaborativt avsluta ordern",
"You asked for a collaborative cancellation": "Du bad om att kollaborativt avsluta ordern",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Fakturan förföll. Du publicerade inte ordern i tid. Skapa en ny order.",
"This order has been cancelled by the maker": "Denna order har avbrutits av makern",
"Invoice expired. You did not confirm taking the order in time.": "Fakturan förföll. Du tog inte ordern i tid.",
"Penalty lifted, good to go!": "Straff upphävt, bara att köra!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Du kan inte ta en order ännu! Vänta {{timeMin}}m {{timeSec}}s",
"Too low": "För lågt",
"Too high": "För högt",
"Enter amount of fiat to exchange for bitcoin": "Ange summa fiat att handla bitcoin för",
"Amount {{currencyCode}}": "Summa {{currencyCode}}",
"You must specify an amount first": "Du måste ange en summa först",
"Take Order": "Ta order",
"Wait until you can take an order": "Vänta tills du kan ta en order",
"Cancel the order?": "Makulera ordern?",
"If the order is cancelled now you will lose your bond.": "Om du avbryter ordern nu kommer du att förlora din obligation",
"Confirm Cancel": "Bekräfta makulering",
"The maker is away": "Makern är ej här",
"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.": "Genom att ta denna order riskerar du att slösa din tid. Om makern inte går vidare i tid kommer du att kompenseras i sats med 50% av makerobligationen",
"Collaborative cancel the order?": "Makulera ordern kollaborativt?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Depositionen har satts in. Ordern kan endast avbrytas om båda parterna går med på det.",
"Ask for Cancel": "Be om makulering",
"Cancel": "Makulera",
"Collaborative Cancel": "Makulera kollaborativt",
"Invalid Order Id": "Ej giltigt order-ID",
"You must have a robot avatar to see the order details": "Du måste ha en robotavatar för att se orderdetaljer",
"This order has been cancelled collaborativelly": "Denna order har blivit makulerad kollaborativt",
"This order is not available": "Denna order är inte tillgänglig",
"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": "Våra robotsatoshis som jobbar i varuhuset förstod dig inte. Skapa en Bug Issue på Github https://github.com/reckless-satoshi/robosats/issues",
"ORDER PAGE - OrderPage.js": "Order details page",
"Order Box": "Orderbox",
"Contract": "Kontrakt",
"Active": "Aktiv",
"Seen recently": "Aktiv nyligen",
"Inactive": "Inaktiv",
"(Seller)": "(Säljare)",
"(Buyer)": "(Köpare)",
"Order maker": "Ordermaker",
"Order taker": "Ordertaker",
"Order Details": "Orderdetaljer",
"Order status": "Orderstatus",
"Waiting for maker bond": "Väntar på makerobligationen",
"Public": "Publik",
"Waiting for taker bond": "Väntar på takerobligationen",
"Cancelled": "Makulerad",
"Expired": "Förfallen",
"Waiting for trade collateral and buyer invoice": "Väntar på deposition och faktura från köparen",
"Waiting only for seller trade collateral": "Väntar på säljarens deposition",
"Waiting only for buyer invoice": "Väntar på köparens faktura",
"Sending fiat - In chatroom": "Skickar fiat - I chattrummet",
"Fiat sent - In chatroom": "Fiat skickat - I chattrummet",
"In dispute": "I dispyt",
"Collaboratively cancelled": "Makulerad av båda parter",
"Sending satoshis to buyer": "Skickar sats till köparen",
"Sucessful trade": "Lyckad trade",
"Failed lightning network routing": "Misslyckades med Lightning Network-routing",
"Wait for dispute resolution": "Vänta på dispytbeslut",
"Maker lost dispute": "Maker förlorade dispyten",
"Taker lost dispute": "Taker förlorade dispyten",
"Amount range": "Beloppsspann",
"Swap destination": "Byt destination",
"Accepted payment methods": "Accepterade betalningsmetoder",
"Others": "Andra",
"{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%": "{{price}} {{currencyCode}}/BTC - Premium: {{premium}}%",
"Price and Premium": "Pris och premium",
"Amount of Satoshis": "Summa sats",
"Premium over market price": "Premium över marknadspris",
"Order ID": "Order-ID",
"Deposit timer": "Insättningstimer",
"Expires in": "Förfaller om",
"{{nickname}} is asking for a collaborative cancel": "{{nickname}} ber om att kollaborativt avsluta ordern",
"You asked for a collaborative cancellation": "Du bad om att kollaborativt avsluta ordern",
"Invoice expired. You did not confirm publishing the order in time. Make a new order.": "Fakturan förföll. Du publicerade inte ordern i tid. Skapa en ny order.",
"This order has been cancelled by the maker": "Denna order har avbrutits av makern",
"Invoice expired. You did not confirm taking the order in time.": "Fakturan förföll. Du tog inte ordern i tid.",
"Penalty lifted, good to go!": "Straff upphävt, bara att köra!",
"You cannot take an order yet! Wait {{timeMin}}m {{timeSec}}s": "Du kan inte ta en order ännu! Vänta {{timeMin}}m {{timeSec}}s",
"Too low": "För lågt",
"Too high": "För högt",
"Enter amount of fiat to exchange for bitcoin": "Ange summa fiat att handla bitcoin för",
"Amount {{currencyCode}}": "Summa {{currencyCode}}",
"You must specify an amount first": "Du måste ange en summa först",
"Take Order": "Ta order",
"Wait until you can take an order": "Vänta tills du kan ta en order",
"Cancel the order?": "Makulera ordern?",
"If the order is cancelled now you will lose your bond.": "Om du avbryter ordern nu kommer du att förlora din obligation",
"Confirm Cancel": "Bekräfta makulering",
"The maker is away": "Makern är ej här",
"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.": "Genom att ta denna order riskerar du att slösa din tid. Om makern inte går vidare i tid kommer du att kompenseras i sats med 50% av makerobligationen",
"Collaborative cancel the order?": "Makulera ordern kollaborativt?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Depositionen har satts in. Ordern kan endast avbrytas om båda parterna går med på det.",
"Ask for Cancel": "Be om makulering",
"Cancel": "Makulera",
"Collaborative Cancel": "Makulera kollaborativt",
"Invalid Order Id": "Ej giltigt order-ID",
"You must have a robot avatar to see the order details": "Du måste ha en robotavatar för att se orderdetaljer",
"This order has been cancelled collaborativelly": "Denna order har blivit makulerad kollaborativt",
"This order is not available": "Denna order är inte tillgänglig",
"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": "Våra robotsatoshis som jobbar i varuhuset förstod dig inte. Skapa en Bug Issue på Github https://github.com/reckless-satoshi/robosats/issues",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Du",
"Peer": "Peer",
"connected": "ansluten",
"disconnected": "ej ansluten",
"Type a message": "Skriv ett meddelande",
"Connecting...": "Ansluter...",
"Send": "Skicka",
"Verify your privacy": "Verifiera din integritet",
"Audit PGP": "Granska PGP",
"Save full log as a JSON file (messages and credentials)": "Spara hela loggen som en JSON-fil (meddelanden och uppgifter)",
"Export": "Exportera",
"Don't trust, verify": "Lita inte, verifiera",
"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.": "Din kommunikation är är end-to-end-krypterad med OpenPGP. Du kan verifiera integriteten av denna chatt med verktyg som bygger på den öppna OpenPGP-standarden.",
"Learn how to verify": "Lär dig hur man verifierar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Din publika PGP-nyckel. Din peer använder den för att kryptera meddelanden som endast du kan läsa.",
"Your public key": "Din publika nyckel",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Din peers publika PGP-nyckel. Du använder den för att kryptera meddelanden som endast hen kan läsa, och för att verifiera inkommande meddelanden.",
"Peer public key": "Peer publik nyckel",
"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.": "Din krypterade privata nyckel. Du använder den till att dekryptera de meddelanden som din peer har krypterat för dig. Du kan även använda den för att signera meddelanden som du skickar.",
"Your encrypted private key": "Din krypterade privata nyckel",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Lösenordet för att dekryptera din privata nyckel, endast du kan det! Dela inte. Det är även din robottoken.",
"Your private key passphrase (keep secure!)": "Lösenordet till din privata nyckel (förvara säkert!)",
"Save credentials as a JSON file": "Spara uppgifter till en JSON-fil",
"Keys": "Nycklar",
"Save messages as a JSON file": "Spara meddelanden till en JSON-fil",
"Messages": "Meddelanden",
"Verified signature by {{nickname}}": "Verifierad signatur av {{nickname}}",
"Cannot verify signature of {{nickname}}": "Kan inte verifiera signatur av {{nickname}}",
"CHAT BOX - Chat.js": "Chat Box",
"You": "Du",
"Peer": "Peer",
"connected": "ansluten",
"disconnected": "ej ansluten",
"Type a message": "Skriv ett meddelande",
"Connecting...": "Ansluter...",
"Send": "Skicka",
"Verify your privacy": "Verifiera din integritet",
"Audit PGP": "Granska PGP",
"Save full log as a JSON file (messages and credentials)": "Spara hela loggen som en JSON-fil (meddelanden och uppgifter)",
"Export": "Exportera",
"Don't trust, verify": "Lita inte, verifiera",
"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.": "Din kommunikation är är end-to-end-krypterad med OpenPGP. Du kan verifiera integriteten av denna chatt med verktyg som bygger på den öppna OpenPGP-standarden.",
"Learn how to verify": "Lär dig hur man verifierar",
"Your PGP public key. Your peer uses it to encrypt messages only you can read.": "Din publika PGP-nyckel. Din peer använder den för att kryptera meddelanden som endast du kan läsa.",
"Your public key": "Din publika nyckel",
"Your peer PGP public key. You use it to encrypt messages only he can read and to verify your peer signed the incoming messages.": "Din peers publika PGP-nyckel. Du använder den för att kryptera meddelanden som endast hen kan läsa, och för att verifiera inkommande meddelanden.",
"Peer public key": "Peer publik nyckel",
"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.": "Din krypterade privata nyckel. Du använder den till att dekryptera de meddelanden som din peer har krypterat för dig. Du kan även använda den för att signera meddelanden som du skickar.",
"Your encrypted private key": "Din krypterade privata nyckel",
"The passphrase to decrypt your private key. Only you know it! Do not share. It is also your robot token.": "Lösenordet för att dekryptera din privata nyckel, endast du kan det! Dela inte. Det är även din robottoken.",
"Your private key passphrase (keep secure!)": "Lösenordet till din privata nyckel (förvara säkert!)",
"Save credentials as a JSON file": "Spara uppgifter till en JSON-fil",
"Keys": "Nycklar",
"Save messages as a JSON file": "Spara meddelanden till en JSON-fil",
"Messages": "Meddelanden",
"Verified signature by {{nickname}}": "Verifierad signatur av {{nickname}}",
"Cannot verify signature of {{nickname}}": "Kan inte verifiera signatur av {{nickname}}",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box": "Kontraktbox",
"Robots show commitment to their peers": "Robotar visar commitment till sina peers",
"Lock {{amountSats}} Sats to PUBLISH order": "Lås {{amountSats}} sats för att publicera ordern",
"Lock {{amountSats}} Sats to TAKE order": "Lås {{amountSats}} sats för att ta ordern",
"Lock {{amountSats}} Sats as collateral": "Lås {{amountSats}} sats som deposition",
"Copy to clipboard": "Kopiera till urklipp",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Detta är en s.k. 'hold invoice'. Den kommer att frysas i din wallet, och debiteras endast om du avbryter ordern eller förlorar en dispyt.",
"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}}.": "Detta är en s.k. 'hold invoice'. Den kommer att frysas i din wallet, och släpps till köparen när du har bekräftat att du mottagit '{{currencyCode}}.",
"Your maker bond is locked": "Din makerobligation är låst",
"Your taker bond is locked": "din takerobligation är låst",
"Your maker bond was settled": "Din makerobligation blev settled",
"Your taker bond was settled": "Din takerobligation blev settled",
"Your maker bond was unlocked": "Din makerobligation låstes upp",
"Your taker bond was unlocked": "Din takerobligation låstes upp",
"Your order is public": "Din order är publik",
"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.": "Ha tålamod medan robotar kollar orderboken. Denna box kommer att plinga till 🔊 när en robot tar din order. Därefter har du {{deposit_timer_hours}}h {{deposit_timer_minutes}}m på dig att svara. Om du inte svarar riskerar du att förlora din obligation.",
"If the order expires untaken, your bond will return to you (no action needed).": "Om ordern förfaller utan att någon tar den kommer din obligation att retuneras till dig (utan handling från din sida)",
"Enable Telegram Notifications": "Aktivera Telegram-notiser",
"Enable TG Notifications": "Aktivera TG-notifikationer",
"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 kommer att skickas till en konversation med RoboSats Telegram-bot. Öppna chatten och tryck Start. Notera att genom att aktivera Telegram-notiser så försämrar du möjligen din anonymitet.",
"Go back": "Gå tillbaka",
"Enable": "Aktivera",
"Telegram enabled": "Telegram aktiverat",
"Public orders for {{currencyCode}}": "Publika ordrar för {{currencyCode}}",
"Premium rank": "Premiumrank",
"Among public {{currencyCode}} orders (higher is cheaper)": "Bland publika {{currencyCode}} ordrar (högre är billigare)",
"A taker has been found!": "En taker har hittats!",
"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.": "Var god vänta på att takern låser sin obligation. Om den inte gör det i tid kommer ordern att göras publik igen.",
"Payout Lightning Invoice": "Lightning-faktura för utbetalning",
"Your info looks good!": "Din info ser bra ut!",
"We are waiting for the seller to lock the trade amount.": "Vi väntar på att säljaren ska låsa trade-beloppet.",
"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).": "Häng kvar en sekund. Om säljaren inte gör sin insättning kommer du att få tillbaka din obligation automatiskt. Dessutom kommer du att få en kompensation (kolla belöningar i din profil).",
"The trade collateral is locked!": "Depositionen för denna trade är låst!",
"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.": "Vi väntar på att köparen ska dela en lightning-faktura. När den gjort det kommer du att kunna dela betalningsinformation för fiat direkt över chatt.",
"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).": "Häng kvar en sekund. Om köparen inte samarbetar kommer du att få tillbaka din deposition och obligation automatiskt. Dessutom kommer du att få en kompensation (kolla belöningar i din profil).",
"Confirm {{amount}} {{currencyCode}} sent": "Bekräfta {{amount}} {{currencyCode}} skickat",
"Confirm {{amount}} {{currencyCode}} received": "Bekräfta {{amount}} {{currencyCode}} mottaget",
"Open Dispute": "Öppna dispyt",
"The order has expired": "Ordern har förfallit",
"Chat with the buyer": "Chatt med köparen",
"Chat with the seller": "Chatt med säljaren",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Säg hej! Var hjälpsam och koncis. Förklara hur hen kan skicka {{amount}} {{currencyCode}} till dig.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Köparen har skickat fiat. Klicka på 'Bekräfta mottaget' när du har mottagit det.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Säg hej! Be om betalningsinformation och tryck på 'Bekräfta skickat' så fort betalningen har skickats.",
"Wait for the seller to confirm he has received the payment.": "Vänta på att säljaren ska bekräfta att den mottagit betalningen.",
"Confirm you received {{amount}} {{currencyCode}}?": "Bekräfta att du mottagit {{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.": "Om du bekräftar att du mottagit fiat kommer transaktionen att slutföras; depositionen med sats släpps då till köparen. Bekräfta endast efter att {{amount}} {{currencyCode}} har landat på ditt konto. Vidare, om du har mottagit {{currencyCode}} men inte bekräftar det, riskerar du att förlora din obligation.",
"Confirm": "Bekräfta",
"🎉Trade finished!🥳": "🎉Transaktion slutförd!🥳",
"rate_robosats": "Vad tycker du om 🤖<1>RoboSats</1>⚡?",
"Thank you! RoboSats loves you too ❤️": "Tack! RoboSats älskar dig med ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats blir bättre med mer likviditet och fler användare. Berätta om RoboSats för en Bitcoiner-vän!",
"Thank you for using Robosats!": "Tack för att du använder RoboSats!",
"let_us_know_hot_to_improve": "Tala om för oss hur plattformen kan förbättras (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Börja om",
"Attempting Lightning Payment": "Försöker utföra Lightning-betalning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats försöker betala din lightning-faktura. Kom ihåg att lightning-noder måste vara online för att kunna mottaga betalningar.",
"Retrying!": "Testar igen!",
"Lightning Routing Failed": "Lightning-routing misslyckades",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Din faktura har förfallit eller så har fler än tre betalningsförsök gjorts. Dela en ny faktura.",
"Check the list of compatible wallets": "Lista med kompatibla 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 kommer att försöka betala din faktura tre gånger med en minuts paus emellan. Om det forsätter att misslyckas kommer du att kunna dela en ny faktura. Kolla så att du har tillräckligt med ingående likviditet. Kom ihåg att lightning-noder måste vara online för att kunna mottaga betalningar.",
"Next attempt in": "Nästa försök om",
"Do you want to open a dispute?": "Vill du öppna en dispyt?",
"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.": "Personalen på RoboSats kommer att utvärdera de redogörelser och bevis som läggs fram. Du behöver bygga ett komplett fall eftersom personalen inte kan läsa chatten. Det är bäst att dela en tillfällig kontaktmetod tillsammans med din redogörelse. Depositionen av sats kommer att skickas till vinnaren av dispyten, medan förloraren förlorar obligationen.",
"Disagree": "Acceptera ej",
"Agree and open dispute": "Acceptera och öppna dispyt",
"A dispute has been opened": "En dispyt har öppnats",
"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.": "Dela din redogörelse. Var tydlig och specifik angående vad som hände och lämna nödvändig bevisföring. Du MÅSTE lämna en tillfällig kontaktmetod: t.ex. burner-epost, XMPP eller Telegram-användarnamn, för att personalen ska kunna följa upp fallet. Dispyter löses baserat på bedömningar från riktiga robotar (aka människor), så var så hjälpsam som möjligt för att säkerställa ett rättvist utfall. Max 5000 tecken.",
"Submit dispute statement": "Skicka dispytredogörelse",
"We have received your statement": "Vi har tagit emot ditt påstående",
"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.": "Vi väntar på redogörelsen från din motpart i transaktionen. Om du är osäker angående dispyten eller vill lämna mer information, kontakta 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).": "Spara informationen som krävs för att identifiera din order och dina betalningar: order-ID; betalningshashar för depositionen och obligationen (hittas från din lightning-wallet); exakt summa sats; och robotnamn. Du kommer att behöva identifiera dig själv som den användare som var involverad i denna transaktionen via epost (eller andra kontaktmetoder).",
"We have the statements": "Vi har följande redogörelser",
"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.": "Båda redogörelserna har mottagits, vänta på att personalen ska lösa dispyten. Om du är osäker eller vill lägga till mer information, kontakta robosats@protonmail.com. Om du inte lämnade en kontaktmetod, eller är osäker på om du skrev den rätt, skriv till oss omedelbart.",
"You have won the dispute": "Du har vunnit dispyten",
"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 kan göra anspråk på summan från dispytens uppgörelse (deposition och obligation) från din profil under belöningar. Om det finns något som personalen kan hjälpa dig med, tveka inte att kontakta robosats@protonmail.com (eller via din tillfälliga kontaktmetod).",
"You have lost the dispute": "Du har förlorat dispyten",
"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.": "Du har tyvärr förlorat dispyten. Om du tycker att detta är ett misstag kan du kontakta robosats@protonmail.com. Chansen att fallet tas upp igen är dock liten.",
"Expired not taken": "Förfallen, ej tagen",
"Maker bond not locked": "Makerobligation ej låst",
"Escrow not locked": "Deposition ej låst",
"Invoice not submitted": "Faktura ej skickad",
"Neither escrow locked or invoice submitted": "Varken deposition eller faktura skickad",
"Renew Order": "Förnya order",
"Pause the public order": "Pausa den publika ordern",
"Your order is paused": "Din order är pausad",
"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.": "Din publika order har blivit pausad. För tillfället kan den inte ses eller tas av andra robotar. Du kan välja att återuppta den när som helst.",
"Unpause Order": "Återuppta 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.": "Du riskerar att förlora obligationen om du inte låser depositionen. Total tid kvar är {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Se kompatibla wallets",
"Failure reason: ": "Felanledning: ",
"Payment isn't failed (yet)": "Betalningen har ej misslyckats (ännu)",
"There are more routes to try, but the payment timeout was exceeded.": "Det finns fler rutter att testa, men betalningens tidsbegränsning överskreds.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Alla möjliga rutter testades och misslyckades (eller så fanns det inga rutter alls)",
"A non-recoverable error has occurred.": "Ett icke resversibelt fel inträffade.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Betalningsinformationen är felaktig (okänd hash, felaktigt belopp eller inkorrekt 'final CLTV delta').",
"Insufficient unlocked balance in RoboSats' node.": "Otillräcklig olåst balans i RoboSats nod.",
"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": "Fakturan som delades har endast dyra ruttips, du använder en inkompatibel wallet (förmodligen Muun?). Kolla kompatibilitesguiden för wallets på wallets.robosats.com",
"The invoice provided has no explicit amount": "Fakturan som delades har inte ett explicit belopp specificerat",
"Does not look like a valid lightning invoice": "Ser inte ut som en giltig lightning-faktura",
"The invoice provided has already expired": "Den angivna fakturan har redan förfallit",
"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.": "Kom ihåg att exportera chattloggen. Personalen kan komma att begära din exporterade chatttlogg i JSON-format för att kunna lösa diskrepanser. Det är ditt ansvar att lagra den.",
"Does not look like a valid address": "Ser inte ut som en giltig adress",
"This is not a bitcoin mainnet address": "Detta är inte en adress på Bitcoin-mainnet",
"This is not a bitcoin testnet address": "Detta är inte en adress på Bitcoin-testnet",
"Submit payout info for {{amountSats}} Sats": "Skicka utbetalningsinfo för {{amountSats}} sats",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Skicka en giltig faktura för {{amountSats}} sats.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Innan du tillåts skicka {{amountFiat}} {{currencyCode}}, vill vi vara säkra på att du kan ta emot BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats kommer att genomföra en swap och skicka sats till din onchain-adress.",
"Swap fee": "Swap-avgift",
"Mining fee": "Miningavgift",
"Mining Fee": "Miningavgift",
"Final amount you will receive": "Slutgiltig belopp som du kommer att mottaga",
"Bitcoin Address": "Bitcoin-adress",
"Your TXID": "Ditt TXID",
"Lightning": "Lightning",
"Onchain": "Onchain",
"open_dispute": "För att öppna en dispyt behöver du vänta <1><1/>",
"CONTRACT BOX - TradeBox.js": "The Contract Box that guides users trough the whole trade pipeline",
"Contract Box": "Kontraktbox",
"Robots show commitment to their peers": "Robotar visar commitment till sina peers",
"Lock {{amountSats}} Sats to PUBLISH order": "Lås {{amountSats}} sats för att publicera ordern",
"Lock {{amountSats}} Sats to TAKE order": "Lås {{amountSats}} sats för att ta ordern",
"Lock {{amountSats}} Sats as collateral": "Lås {{amountSats}} sats som deposition",
"Copy to clipboard": "Kopiera till urklipp",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Detta är en s.k. 'hold invoice'. Den kommer att frysas i din wallet, och debiteras endast om du avbryter ordern eller förlorar en dispyt.",
"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}}.": "Detta är en s.k. 'hold invoice'. Den kommer att frysas i din wallet, och släpps till köparen när du har bekräftat att du mottagit '{{currencyCode}}.",
"Your maker bond is locked": "Din makerobligation är låst",
"Your taker bond is locked": "din takerobligation är låst",
"Your maker bond was settled": "Din makerobligation blev settled",
"Your taker bond was settled": "Din takerobligation blev settled",
"Your maker bond was unlocked": "Din makerobligation låstes upp",
"Your taker bond was unlocked": "Din takerobligation låstes upp",
"Your order is public": "Din order är publik",
"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.": "Ha tålamod medan robotar kollar orderboken. Denna box kommer att plinga till 🔊 när en robot tar din order. Därefter har du {{deposit_timer_hours}}h {{deposit_timer_minutes}}m på dig att svara. Om du inte svarar riskerar du att förlora din obligation.",
"If the order expires untaken, your bond will return to you (no action needed).": "Om ordern förfaller utan att någon tar den kommer din obligation att retuneras till dig (utan handling från din sida)",
"Enable Telegram Notifications": "Aktivera Telegram-notiser",
"Enable TG Notifications": "Aktivera TG-notifikationer",
"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 kommer att skickas till en konversation med RoboSats Telegram-bot. Öppna chatten och tryck Start. Notera att genom att aktivera Telegram-notiser så försämrar du möjligen din anonymitet.",
"Go back": "Gå tillbaka",
"Enable": "Aktivera",
"Telegram enabled": "Telegram aktiverat",
"Public orders for {{currencyCode}}": "Publika ordrar för {{currencyCode}}",
"Premium rank": "Premiumrank",
"Among public {{currencyCode}} orders (higher is cheaper)": "Bland publika {{currencyCode}} ordrar (högre är billigare)",
"A taker has been found!": "En taker har hittats!",
"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.": "Var god vänta på att takern låser sin obligation. Om den inte gör det i tid kommer ordern att göras publik igen.",
"Payout Lightning Invoice": "Lightning-faktura för utbetalning",
"Your info looks good!": "Din info ser bra ut!",
"We are waiting for the seller to lock the trade amount.": "Vi väntar på att säljaren ska låsa trade-beloppet.",
"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).": "Häng kvar en sekund. Om säljaren inte gör sin insättning kommer du att få tillbaka din obligation automatiskt. Dessutom kommer du att få en kompensation (kolla belöningar i din profil).",
"The trade collateral is locked!": "Depositionen för denna trade är låst!",
"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.": "Vi väntar på att köparen ska dela en lightning-faktura. När den gjort det kommer du att kunna dela betalningsinformation för fiat direkt över chatt.",
"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).": "Häng kvar en sekund. Om köparen inte samarbetar kommer du att få tillbaka din deposition och obligation automatiskt. Dessutom kommer du att få en kompensation (kolla belöningar i din profil).",
"Confirm {{amount}} {{currencyCode}} sent": "Bekräfta {{amount}} {{currencyCode}} skickat",
"Confirm {{amount}} {{currencyCode}} received": "Bekräfta {{amount}} {{currencyCode}} mottaget",
"Open Dispute": "Öppna dispyt",
"The order has expired": "Ordern har förfallit",
"Chat with the buyer": "Chatt med köparen",
"Chat with the seller": "Chatt med säljaren",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Säg hej! Var hjälpsam och koncis. Förklara hur hen kan skicka {{amount}} {{currencyCode}} till dig.",
"The buyer has sent the fiat. Click 'Confirm Received' once you receive it.": "Köparen har skickat fiat. Klicka på 'Bekräfta mottaget' när du har mottagit det.",
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.": "Säg hej! Be om betalningsinformation och tryck på 'Bekräfta skickat' så fort betalningen har skickats.",
"Wait for the seller to confirm he has received the payment.": "Vänta på att säljaren ska bekräfta att den mottagit betalningen.",
"Confirm you received {{amount}} {{currencyCode}}?": "Bekräfta att du mottagit {{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.": "Om du bekräftar att du mottagit fiat kommer transaktionen att slutföras; depositionen med sats släpps då till köparen. Bekräfta endast efter att {{amount}} {{currencyCode}} har landat på ditt konto. Vidare, om du har mottagit {{currencyCode}} men inte bekräftar det, riskerar du att förlora din obligation.",
"Confirm": "Bekräfta",
"🎉Trade finished!🥳": "🎉Transaktion slutförd!🥳",
"rate_robosats": "Vad tycker du om 🤖<1>RoboSats</1>⚡?",
"Thank you! RoboSats loves you too ❤️": "Tack! RoboSats älskar dig med ❤️",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats blir bättre med mer likviditet och fler användare. Berätta om RoboSats för en Bitcoiner-vän!",
"Thank you for using Robosats!": "Tack för att du använder RoboSats!",
"let_us_know_hot_to_improve": "Tala om för oss hur plattformen kan förbättras (<1>Telegram</1> / <3>Github</3>)",
"Start Again": "Börja om",
"Attempting Lightning Payment": "Försöker utföra Lightning-betalning",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats försöker betala din lightning-faktura. Kom ihåg att lightning-noder måste vara online för att kunna mottaga betalningar.",
"Retrying!": "Testar igen!",
"Lightning Routing Failed": "Lightning-routing misslyckades",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Din faktura har förfallit eller så har fler än tre betalningsförsök gjorts. Dela en ny faktura.",
"Check the list of compatible wallets": "Lista med kompatibla 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 kommer att försöka betala din faktura tre gånger med en minuts paus emellan. Om det forsätter att misslyckas kommer du att kunna dela en ny faktura. Kolla så att du har tillräckligt med ingående likviditet. Kom ihåg att lightning-noder måste vara online för att kunna mottaga betalningar.",
"Next attempt in": "Nästa försök om",
"Do you want to open a dispute?": "Vill du öppna en dispyt?",
"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.": "Personalen på RoboSats kommer att utvärdera de redogörelser och bevis som läggs fram. Du behöver bygga ett komplett fall eftersom personalen inte kan läsa chatten. Det är bäst att dela en tillfällig kontaktmetod tillsammans med din redogörelse. Depositionen av sats kommer att skickas till vinnaren av dispyten, medan förloraren förlorar obligationen.",
"Disagree": "Acceptera ej",
"Agree and open dispute": "Acceptera och öppna dispyt",
"A dispute has been opened": "En dispyt har öppnats",
"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.": "Dela din redogörelse. Var tydlig och specifik angående vad som hände och lämna nödvändig bevisföring. Du MÅSTE lämna en tillfällig kontaktmetod: t.ex. burner-epost, XMPP eller Telegram-användarnamn, för att personalen ska kunna följa upp fallet. Dispyter löses baserat på bedömningar från riktiga robotar (aka människor), så var så hjälpsam som möjligt för att säkerställa ett rättvist utfall. Max 5000 tecken.",
"Submit dispute statement": "Skicka dispytredogörelse",
"We have received your statement": "Vi har tagit emot ditt påstående",
"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.": "Vi väntar på redogörelsen från din motpart i transaktionen. Om du är osäker angående dispyten eller vill lämna mer information, kontakta 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).": "Spara informationen som krävs för att identifiera din order och dina betalningar: order-ID; betalningshashar för depositionen och obligationen (hittas från din lightning-wallet); exakt summa sats; och robotnamn. Du kommer att behöva identifiera dig själv som den användare som var involverad i denna transaktionen via epost (eller andra kontaktmetoder).",
"We have the statements": "Vi har följande redogörelser",
"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.": "Båda redogörelserna har mottagits, vänta på att personalen ska lösa dispyten. Om du är osäker eller vill lägga till mer information, kontakta robosats@protonmail.com. Om du inte lämnade en kontaktmetod, eller är osäker på om du skrev den rätt, skriv till oss omedelbart.",
"You have won the dispute": "Du har vunnit dispyten",
"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 kan göra anspråk på summan från dispytens uppgörelse (deposition och obligation) från din profil under belöningar. Om det finns något som personalen kan hjälpa dig med, tveka inte att kontakta robosats@protonmail.com (eller via din tillfälliga kontaktmetod).",
"You have lost the dispute": "Du har förlorat dispyten",
"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.": "Du har tyvärr förlorat dispyten. Om du tycker att detta är ett misstag kan du kontakta robosats@protonmail.com. Chansen att fallet tas upp igen är dock liten.",
"Expired not taken": "Förfallen, ej tagen",
"Maker bond not locked": "Makerobligation ej låst",
"Escrow not locked": "Deposition ej låst",
"Invoice not submitted": "Faktura ej skickad",
"Neither escrow locked or invoice submitted": "Varken deposition eller faktura skickad",
"Renew Order": "Förnya order",
"Pause the public order": "Pausa den publika ordern",
"Your order is paused": "Din order är pausad",
"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.": "Din publika order har blivit pausad. För tillfället kan den inte ses eller tas av andra robotar. Du kan välja att återuppta den när som helst.",
"Unpause Order": "Återuppta 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.": "Du riskerar att förlora obligationen om du inte låser depositionen. Total tid kvar är {{deposit_timer_hours}}h {{deposit_timer_minutes}}m.",
"See Compatible Wallets": "Se kompatibla wallets",
"Failure reason: ": "Felanledning: ",
"Payment isn't failed (yet)": "Betalningen har ej misslyckats (ännu)",
"There are more routes to try, but the payment timeout was exceeded.": "Det finns fler rutter att testa, men betalningens tidsbegränsning överskreds.",
"All possible routes were tried and failed permanently. Or there were no routes to the destination at all.": "Alla möjliga rutter testades och misslyckades (eller så fanns det inga rutter alls)",
"A non-recoverable error has occurred.": "Ett icke resversibelt fel inträffade.",
"Payment details are incorrect (unknown hash, invalid amount or invalid final CLTV delta).": "Betalningsinformationen är felaktig (okänd hash, felaktigt belopp eller inkorrekt 'final CLTV delta').",
"Insufficient unlocked balance in RoboSats' node.": "Otillräcklig olåst balans i RoboSats nod.",
"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": "Fakturan som delades har endast dyra ruttips, du använder en inkompatibel wallet (förmodligen Muun?). Kolla kompatibilitesguiden för wallets på wallets.robosats.com",
"The invoice provided has no explicit amount": "Fakturan som delades har inte ett explicit belopp specificerat",
"Does not look like a valid lightning invoice": "Ser inte ut som en giltig lightning-faktura",
"The invoice provided has already expired": "Den angivna fakturan har redan förfallit",
"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.": "Kom ihåg att exportera chattloggen. Personalen kan komma att begära din exporterade chatttlogg i JSON-format för att kunna lösa diskrepanser. Det är ditt ansvar att lagra den.",
"Does not look like a valid address": "Ser inte ut som en giltig adress",
"This is not a bitcoin mainnet address": "Detta är inte en adress på Bitcoin-mainnet",
"This is not a bitcoin testnet address": "Detta är inte en adress på Bitcoin-testnet",
"Submit payout info for {{amountSats}} Sats": "Skicka utbetalningsinfo för {{amountSats}} sats",
"Submit a valid invoice for {{amountSats}} Satoshis.": "Skicka en giltig faktura för {{amountSats}} sats.",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Innan du tillåts skicka {{amountFiat}} {{currencyCode}}, vill vi vara säkra på att du kan ta emot BTC.",
"RoboSats will do a swap and send the Sats to your onchain address.": "RoboSats kommer att genomföra en swap och skicka sats till din onchain-adress.",
"Swap fee": "Swap-avgift",
"Mining fee": "Miningavgift",
"Mining Fee": "Miningavgift",
"Final amount you will receive": "Slutgiltig belopp som du kommer att mottaga",
"Bitcoin Address": "Bitcoin-adress",
"Your TXID": "Ditt TXID",
"Lightning": "Lightning",
"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",
"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.",
"RoboSats is an open source project ": "RoboSats är ett projekt som är byggt på öppen källkod",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Det underlättar matchmaking och minimerar behovet av tillit. RoboSats fokuserar på anonymitet och snabbhet.",
"(GitHub).": "(GitHub).",
"How does it work?": "Hur fungerar det?",
"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 vill sälja bitcoin. Hon skapar en säljorder. BafflingBob02 vill köpa bitcoin och han tar Alice order. Båda måste upprätta en liten obligation (genom att använda Lightning) för att bevisa att de är riktiga robotar. Sen sätter Alice in en deposition genom att använda en s.k. lightning 'hold invoice'. RoboSats låser fakturan tills att Alice bekräftar att hon har mottagit betalningen i fiat. Därefter släpps alla sats till Bob. Njut av dina 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.": "Inte under något tillfälle behöver AnonymousAlice01 och BafflingBob02 anförtro sina bitcoin till den andra. Ifall det uppstår en konflikt kommer personalen på RoboSats att hjälpa till att klara upp dispyten.",
"You can find a step-by-step description of the trade pipeline in ": "Du kan hitta en steg-för-steg-beskrivning på hela transaktionsförfarandet här: ",
"How it works": "Hur det fungerar",
"You can also check the full guide in ": "Du kan även se hela guiden här: ",
"How to use": "How to use",
"What payment methods are accepted?": "Vilka betalningsmetoder är godkända?",
"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.": "Alla betalningsmetoder är godkända så länge de är snabba. Du kan lägga till din(a) föredragna betalningsmetod(er). Du kommer att behöva matcha med en peer som också accepterar den metoden. Steget där fiat ska skickas har en förfallotid på 24 timmar innan en dispyt automatiskt öppnas.",
"Are there trade limits?": "Finns det begränsningar för trades?",
"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!).": "Maximal storlek på en enstaka trade är {{maxAmount}} sats för att minimera risken för misslyckad lightning routing. Det finns ingen begränsning för antal trades per dag. En robot kan endast ha en trade igång samtidigt. Dock är det möjligt att ha flera robotar aktiva samtidigt i olika webbläsar (kom ihåg att spara dina robottokens!).",
"Is RoboSats private?": "Är RoboSats anonymt?",
"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 kommer aldrig att be om ditt namn, land eller ID. RoboSats förvararar inte dina tillgångar och bryr sig inte om vem du är. RoboSats varken samlar in eller förvarar personuppgifter. Använd Tor Browser och den gömda .onion-tjänsten för bästa anonymitet.",
"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.": "Din motpart i en trade är den enda som möjligen skulle kunna gissa något om dig. Håll dina chattkonversationer korta och koncisa. Undvik att dela icke-essentiell information annat än det som är strikt nödvändigt för att genomföra fiatbetalningen.",
"What are the risks?": "Vilka är riskerna?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Detta är en experimentell applikation, saker kan gå fel. Handla med små belopp!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Säljaren är utsatt för samma charge-back-risk som med alla andra peer-to-peer-tjänster. PayPal och kreditkort rekommenderas ej.",
"What is the trust model?": "Hur ser tillitsmodellen ut?",
"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öparen och säljaren behöver aldrig lita på varandra. En viss tillit till RoboSats behövs eftersom länkandet av säljarens faktura och köparens betalning ej är atomiska (ännu). Dessutom hanteras dispyter av RoboSats-personal.",
"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": "För att vara helt tydlig: tillitskrav är minimerade. Dock finns det fortfarande ett sätt RoboSats skulle kunna springa iväg med dina sats: genom att inte släppa sats till köparen. Man kan argumentera för att det inte skulle vara i RoboSats intresse eftersom det skulle skada ryktet mycket för en så pass liten summa. Du bör dock vara vaksam och endast handla med små belopp i taget. Använd on-chain-tjänster så som Bisq för större belopp.",
"You can build more trust on RoboSats by inspecting the source code.": "Du kan få större förtroende för RoboSats genom att själv inspektera källkoden.",
"Project source code": "Projektets öppna källkod",
"What happens if RoboSats suddenly disappears?": "Vad händer om RoboSats plötsligt försvinner?",
"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.": "Dina sats kommer att retuneras till dig. Alla 'hold invoices' som inte settlats skulle automatiskt returneras även om RoboSats går ner för alltid. Detta är sant för både låsta obligation och depositioner. Det finns dock en liten lucka mellan att säljaren bekräftar att fiat mottagits och att köparen mottar sats, där medlen potentiellt skulle kunna försvinna permanent om RoboSats försvann. Detta fönster är ungefär en sekund långt. Se till att du har tillräckligt med ingående likviditet för att undvika routing-problem. Om du stöter på problem, skriv i någon av RoboSats publika kanaler.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "I många länder kan användat av RoboSats likställas med Ebay eller Craigslist. Din lagstiftning kan variera. Det är ditt ansvar att följa din lagstiftning.",
"Is RoboSats legal in my country?": "Är RoboSats lagligt i mitt land?",
"Disclaimer": "Klausul",
"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 ": "Denna lightning-applikation förses som den är. Den är under aktiv utveckling: handla med stor försiktighet. Det finns ingen privat support. Support ges endast via publika kanaler ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats kommer aldrig att kontakta dig. RoboSats kommer definitivt aldrig att be om din robottoken."
"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.",
"RoboSats is an open source project ": "RoboSats är ett projekt som är byggt på öppen källkod",
"It simplifies matchmaking and minimizes the need of trust. RoboSats focuses in privacy and speed.": "Det underlättar matchmaking och minimerar behovet av tillit. RoboSats fokuserar på anonymitet och snabbhet.",
"(GitHub).": "(GitHub).",
"How does it work?": "Hur fungerar det?",
"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 vill sälja bitcoin. Hon skapar en säljorder. BafflingBob02 vill köpa bitcoin och han tar Alice order. Båda måste upprätta en liten obligation (genom att använda Lightning) för att bevisa att de är riktiga robotar. Sen sätter Alice in en deposition genom att använda en s.k. lightning 'hold invoice'. RoboSats låser fakturan tills att Alice bekräftar att hon har mottagit betalningen i fiat. Därefter släpps alla sats till Bob. Njut av dina 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.": "Inte under något tillfälle behöver AnonymousAlice01 och BafflingBob02 anförtro sina bitcoin till den andra. Ifall det uppstår en konflikt kommer personalen på RoboSats att hjälpa till att klara upp dispyten.",
"You can find a step-by-step description of the trade pipeline in ": "Du kan hitta en steg-för-steg-beskrivning på hela transaktionsförfarandet här: ",
"How it works": "Hur det fungerar",
"You can also check the full guide in ": "Du kan även se hela guiden här: ",
"How to use": "How to use",
"What payment methods are accepted?": "Vilka betalningsmetoder är godkända?",
"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.": "Alla betalningsmetoder är godkända så länge de är snabba. Du kan lägga till din(a) föredragna betalningsmetod(er). Du kommer att behöva matcha med en peer som också accepterar den metoden. Steget där fiat ska skickas har en förfallotid på 24 timmar innan en dispyt automatiskt öppnas.",
"Are there trade limits?": "Finns det begränsningar för trades?",
"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!).": "Maximal storlek på en enstaka trade är {{maxAmount}} sats för att minimera risken för misslyckad lightning routing. Det finns ingen begränsning för antal trades per dag. En robot kan endast ha en trade igång samtidigt. Dock är det möjligt att ha flera robotar aktiva samtidigt i olika webbläsar (kom ihåg att spara dina robottokens!).",
"Is RoboSats private?": "Är RoboSats anonymt?",
"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 kommer aldrig att be om ditt namn, land eller ID. RoboSats förvararar inte dina tillgångar och bryr sig inte om vem du är. RoboSats varken samlar in eller förvarar personuppgifter. Använd Tor Browser och den gömda .onion-tjänsten för bästa anonymitet.",
"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.": "Din motpart i en trade är den enda som möjligen skulle kunna gissa något om dig. Håll dina chattkonversationer korta och koncisa. Undvik att dela icke-essentiell information annat än det som är strikt nödvändigt för att genomföra fiatbetalningen.",
"What are the risks?": "Vilka är riskerna?",
"This is an experimental application, things could go wrong. Trade small amounts!": "Detta är en experimentell applikation, saker kan gå fel. Handla med små belopp!",
"The seller faces the same charge-back risk as with any other peer-to-peer service. Paypal or credit cards are not recommended.": "Säljaren är utsatt för samma charge-back-risk som med alla andra peer-to-peer-tjänster. PayPal och kreditkort rekommenderas ej.",
"What is the trust model?": "Hur ser tillitsmodellen ut?",
"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öparen och säljaren behöver aldrig lita på varandra. En viss tillit till RoboSats behövs eftersom länkandet av säljarens faktura och köparens betalning ej är atomiska (ännu). Dessutom hanteras dispyter av RoboSats-personal.",
"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": "För att vara helt tydlig: tillitskrav är minimerade. Dock finns det fortfarande ett sätt RoboSats skulle kunna springa iväg med dina sats: genom att inte släppa sats till köparen. Man kan argumentera för att det inte skulle vara i RoboSats intresse eftersom det skulle skada ryktet mycket för en så pass liten summa. Du bör dock vara vaksam och endast handla med små belopp i taget. Använd on-chain-tjänster så som Bisq för större belopp.",
"You can build more trust on RoboSats by inspecting the source code.": "Du kan få större förtroende för RoboSats genom att själv inspektera källkoden.",
"Project source code": "Projektets öppna källkod",
"What happens if RoboSats suddenly disappears?": "Vad händer om RoboSats plötsligt försvinner?",
"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.": "Dina sats kommer att retuneras till dig. Alla 'hold invoices' som inte settlats skulle automatiskt returneras även om RoboSats går ner för alltid. Detta är sant för både låsta obligation och depositioner. Det finns dock en liten lucka mellan att säljaren bekräftar att fiat mottagits och att köparen mottar sats, där medlen potentiellt skulle kunna försvinna permanent om RoboSats försvann. Detta fönster är ungefär en sekund långt. Se till att du har tillräckligt med ingående likviditet för att undvika routing-problem. Om du stöter på problem, skriv i någon av RoboSats publika kanaler.",
"In many countries using RoboSats is no different than using Ebay or Craiglist. Your regulation may vary. It is your responsibility to comply.": "I många länder kan användat av RoboSats likställas med Ebay eller Craigslist. Din lagstiftning kan variera. Det är ditt ansvar att följa din lagstiftning.",
"Is RoboSats legal in my country?": "Är RoboSats lagligt i mitt land?",
"Disclaimer": "Klausul",
"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 ": "Denna lightning-applikation förses som den är. Den är under aktiv utveckling: handla med stor försiktighet. Det finns ingen privat support. Support ges endast via publika kanaler ",
"(Telegram)": "(Telegram)",
". RoboSats will never contact you. RoboSats will definitely never ask for your robot token.": ". RoboSats kommer aldrig att kontakta dig. RoboSats kommer definitivt aldrig att be om din robottoken."
}

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
}