Add undo confirm fiat sent action (#461)

* Add undo confirm fiat sent action

* Collect phrases

* Small fixes
This commit is contained in:
Reckless_Satoshi 2023-04-28 09:19:18 +00:00 committed by GitHub
parent f5ae7aab34
commit fc4f3e1593
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
27 changed files with 601 additions and 413 deletions

View File

@ -1589,6 +1589,27 @@ class Logics:
order.save()
return True, None
@classmethod
def undo_confirm_fiat_sent(cls, order, user):
"""If Order is in the CHAT states:
If user is buyer: fiat_sent goes to true.
"""
if not cls.is_buyer(order, user):
return False, {
"bad_request": "Only the buyer can undo the fiat sent confirmation."
}
if order.status != Order.Status.FSE:
return False, {
"bad_request": "Only orders in Chat and with fiat sent confirmed can be reverted."
}
order.status = Order.Status.CHA
order.is_fiat_sent = False
order.reverted_fiat_sent = True
order.save()
return True, None
def pause_unpause_public_order(order, user):
if not order.maker == user:
return False, {

View File

@ -346,7 +346,6 @@ class Order(models.Model):
payment_method = models.CharField(
max_length=70, null=False, default="not specified", blank=True
)
bondless_taker = models.BooleanField(default=False, null=False, blank=False)
# order pricing method. A explicit amount of sats, or a relative premium above/below market.
is_explicit = models.BooleanField(default=False, null=False)
# marked to market
@ -440,6 +439,7 @@ class Order(models.Model):
taker_asked_cancel = models.BooleanField(default=False, null=False)
is_fiat_sent = models.BooleanField(default=False, null=False)
reverted_fiat_sent = models.BooleanField(default=False, null=False)
# in dispute
is_disputed = models.BooleanField(default=False, null=False)

View File

@ -28,7 +28,6 @@ class MakerViewSchema:
- `public_duration` - **{PUBLIC_DURATION}**
- `escrow_duration` - **{ESCROW_DURATION}**
- `bond_size` - **{BOND_SIZE}**
- `bondless_taker` - **false**
- `has_range` - **false**
- `premium` - **0**
"""
@ -81,7 +80,6 @@ class OrderViewSchema:
- `is_explicit`
- `premium`
- `satoshis`
- `bondless_taker`
- `maker`
- `taker`
- `escrow_duration`
@ -272,10 +270,10 @@ class OrderViewSchema:
collaborativelly cancelling orders for both parties.
- `confirm`
- This is a **crucial** action. This confirms the sending and
recieving of fiat depending on whether you are a buyer or
receiving of fiat depending on whether you are a buyer or
seller. There is not much RoboSats can do to actually confirm
and verify the fiat payment channel. It is up to you to make
sure of the correct amount was recieved before you confirm.
sure of the correct amount was received before you confirm.
This action is only allowed when status is either `9` (Sending
fiat - In chatroom) or `10` (Fiat sent - In chatroom)
- If you are the buyer, it simply sets `fiat_sent` to `true`
@ -283,11 +281,16 @@ class OrderViewSchema:
method selected by the seller and signals the seller that the
fiat payment was done.
- If you are the seller, be very careful and double check
before perorming this action. Check that your fiat payment
method was successful in recieving the funds and whether it
before performing this action. Check that your fiat payment
method was successful in receiving the funds and whether it
was the correct amount. This action settles the escrow and
pays the buyer and sets the the order status to `13` (Sending
satohis to buyer) and eventually to `14` (successful trade).
- `undo_confirm`
- This action will undo the fiat_sent confirmation by the buyer
it is allowed only once the fiat is confirmed as sent and can
enable the collaborative cancellation option if an off-robosats
payment cannot be completed or is blocked.
- `dispute`
- This action is allowed only if status is `9` or `10`. It sets
the order status to `11` (In dispute) and sets `is_disputed` to
@ -298,11 +301,11 @@ class OrderViewSchema:
bond.
- `submit_statement`
- This action updates the dispute statement. Allowed only when
status is `11` (In dispute). `satement` must be sent in the
status is `11` (In dispute). `statement` must be sent in the
request body and should be a string. 100 chars < length of
`statement` < 5000 chars. You need to discribe the reason for
`statement` < 5000 chars. You need to describe the reason for
raising a dispute. The `(m|t)aker_statement` field is set
respectively. Only when both parties have submitted thier
respectively. Only when both parties have submitted their
dispute statement, the order status changes to `16` (Waiting
for dispute resolution)
- `rate_user`
@ -789,10 +792,6 @@ class LimitViewSchema:
"type": "integer",
"description": "Maximum amount allowed in an order in the particular currency",
},
"max_bondless_amount": {
"type": "integer",
"description": "Maximum amount allowed in a bondless order",
},
},
},
},
@ -806,7 +805,6 @@ class LimitViewSchema:
"price": "42069.69",
"min_amount": "4.2",
"max_amount": "420.69",
"max_bondless_amount": "10.1",
},
},
status_codes=[200],
@ -846,7 +844,6 @@ class HistoricalViewSchema:
"price": "42069.69",
"min_amount": "4.2",
"max_amount": "420.69",
"max_bondless_amount": "10.1",
},
},
status_codes=[200],

View File

@ -62,7 +62,6 @@ class ListOrderSerializer(serializers.ModelSerializer):
"is_explicit",
"premium",
"satoshis",
"bondless_taker",
"maker",
"taker",
"escrow_duration",
@ -337,7 +336,6 @@ class OrderDetailSerializer(serializers.ModelSerializer):
"is_explicit",
"premium",
"satoshis",
"bondless_taker",
"maker",
"taker",
"escrow_duration",
@ -430,7 +428,6 @@ class OrderPublicSerializer(serializers.ModelSerializer):
"is_explicit",
"premium",
"satoshis",
"bondless_taker",
"maker",
"maker_nick",
"maker_status",
@ -460,10 +457,6 @@ class MakeOrderSerializer(serializers.ModelSerializer):
default=False,
help_text="Whether the order specifies a range of amount or a fixed amount.\n\nIf `true`, then `min_amount` and `max_amount` fields are **required**.\n\n If `false` then `amount` is **required**",
)
bondless_taker = serializers.BooleanField(
default=False,
help_text="Whether bondless takers are allowed for this order or not",
)
class Meta:
model = Order
@ -481,7 +474,6 @@ class MakeOrderSerializer(serializers.ModelSerializer):
"public_duration",
"escrow_duration",
"bond_size",
"bondless_taker",
)
@ -513,6 +505,7 @@ class UpdateOrderSerializer(serializers.Serializer):
"dispute",
"cancel",
"confirm",
"undo_confirm",
"rate_user",
"rate_platform",
),

View File

@ -114,7 +114,6 @@ class MakerView(CreateAPIView):
public_duration = serializer.data.get("public_duration")
escrow_duration = serializer.data.get("escrow_duration")
bond_size = serializer.data.get("bond_size")
bondless_taker = serializer.data.get("bondless_taker")
# Optional params
if public_duration is None:
@ -123,8 +122,6 @@ class MakerView(CreateAPIView):
escrow_duration = ESCROW_DURATION
if bond_size is None:
bond_size = BOND_SIZE
if bondless_taker is None:
bondless_taker = False
if has_range is None:
has_range = False
@ -168,7 +165,6 @@ class MakerView(CreateAPIView):
public_duration=public_duration,
escrow_duration=escrow_duration,
bond_size=bond_size,
bondless_taker=bondless_taker,
)
order.last_satoshis = order.t0_satoshis = Logics.satoshis_now(order)
@ -455,7 +451,6 @@ class OrderView(viewsets.ViewSet):
]:
data["public_duration"] = order.public_duration
data["bond_size"] = order.bond_size
data["bondless_taker"] = order.bondless_taker
# Adds trade summary
if order.status in [Order.Status.SUC, Order.Status.PAY, Order.Status.FAI]:
@ -501,7 +496,7 @@ class OrderView(viewsets.ViewSet):
order = Order.objects.get(id=order_id)
# action is either 1)'take', 2)'confirm', 3)'cancel', 4)'dispute' , 5)'update_invoice'
# action is either 1)'take', 2)'confirm', 2.b)'undo_confirm', 3)'cancel', 4)'dispute' , 5)'update_invoice'
# 5.b)'update_address' 6)'submit_statement' (in dispute), 7)'rate_user' , 8)'rate_platform'
action = serializer.data.get("action")
invoice = serializer.data.get("invoice")
@ -574,6 +569,12 @@ class OrderView(viewsets.ViewSet):
if not valid:
return Response(context, status.HTTP_400_BAD_REQUEST)
# 4.b) If action is confirm
elif action == "undo_confirm":
valid, context = Logics.undo_confirm_fiat_sent(order, request.user)
if not valid:
return Response(context, status.HTTP_400_BAD_REQUEST)
# 5) If action is dispute
elif action == "dispute":
valid, context = Logics.open_dispute(order, request.user)
@ -1015,7 +1016,6 @@ class LimitView(ListAPIView):
# Trade limits as BTC
min_trade = float(config("MIN_TRADE")) / 100000000
max_trade = float(config("MAX_TRADE")) / 100000000
max_bondless_trade = float(config("MAX_TRADE_BONDLESS_TAKER")) / 100000000
payload = {}
queryset = Currency.objects.all().order_by("currency")
@ -1028,7 +1028,6 @@ class LimitView(ListAPIView):
"price": exchange_rate,
"min_amount": min_trade * exchange_rate,
"max_amount": max_trade * exchange_rate,
"max_bondless_amount": max_bondless_trade * exchange_rate,
}
return Response(payload, status.HTTP_200_OK)

View File

@ -57,7 +57,6 @@ const OrderPage = (): JSX.Element => {
public_duration: order.public_duration,
escrow_duration: order.escrow_duration,
bond_size: order.bond_size,
bondless_taker: order.bondless_taker,
};
apiClient.post(baseUrl, '/api/make/', body).then((data: any) => {
if (data.bad_request) {

View File

@ -0,0 +1,64 @@
import React, { useEffect, useState } from 'react';
import { useTranslation } from 'react-i18next';
import {
Dialog,
DialogTitle,
DialogActions,
DialogContent,
DialogContentText,
Button,
} from '@mui/material';
import { Order } from '../../../models';
import { LoadingButton } from '@mui/lab';
interface ConfirmUndoFiatSentDialogProps {
open: boolean;
loadingButton: boolean;
order: Order;
onClose: () => void;
onConfirmClick: () => void;
}
export const ConfirmUndoFiatSentDialog = ({
open,
loadingButton,
onClose,
onConfirmClick,
}: ConfirmUndoFiatSentDialogProps): JSX.Element => {
const { t } = useTranslation();
const [time, setTime] = useState<number>(60);
useEffect(() => {
if (time > 0 && open) {
setTimeout(() => setTime(time - 1), 1000);
}
}, [time, open]);
const onClick = () => {
onConfirmClick();
setTime(300);
};
return (
<Dialog open={open} onClose={onClose}>
<DialogTitle>{t('Revert the confirmation of fiat sent?')}</DialogTitle>
<DialogContent>
<DialogContentText id='alert-dialog-description'>
{t(
'READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of "Fiat sent". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the "Collaborative cancel" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.',
)}
</DialogContentText>
</DialogContent>
<DialogActions>
<Button onClick={onClose} autoFocus>
{t('Go back')}
</Button>
<LoadingButton disabled={time > 0} loading={loadingButton} onClick={onClick}>
{time > 0 ? t('Wait ({{time}})', { time }) : t('Confirm')}
</LoadingButton>
</DialogActions>
</Dialog>
);
};
export default ConfirmUndoFiatSentDialog;

View File

@ -1,5 +1,6 @@
export { ConfirmDisputeDialog } from './ConfirmDispute';
export { ConfirmFiatSentDialog } from './ConfirmFiatSent';
export { ConfirmUndoFiatSentDialog } from './ConfirmUndoFiatSent';
export { ConfirmFiatReceivedDialog } from './ConfirmFiatReceived';
export { ConfirmCancelDialog } from './ConfirmCancel';
export { ConfirmCollabCancelDialog } from './ConfirmCollabCancel';

View File

@ -13,7 +13,9 @@ interface ChatPromptProps {
order: Order;
robot: Robot;
onClickConfirmSent: () => void;
onClickUndoConfirmSent: () => void;
loadingSent: boolean;
loadingUndoSent: boolean;
onClickConfirmReceived: () => void;
loadingReceived: boolean;
onClickDispute: () => void;
@ -27,8 +29,10 @@ export const ChatPrompt = ({
order,
robot,
onClickConfirmSent,
onClickUndoConfirmSent,
onClickConfirmReceived,
loadingSent,
loadingUndoSent,
loadingReceived,
onClickDispute,
loadingDispute,
@ -40,6 +44,7 @@ export const ChatPrompt = ({
const [sentButton, setSentButton] = useState<boolean>(false);
const [receivedButton, setReceivedButton] = useState<boolean>(false);
const [undoSentButton, setUndoSentButton] = useState<boolean>(false);
const [enableDisputeButton, setEnableDisputeButton] = useState<boolean>(false);
const [enableDisputeTime, setEnableDisputeTime] = useState<Date>(new Date(order.expires_at));
const [text, setText] = useState<string>('');
@ -56,10 +61,10 @@ export const ChatPrompt = ({
};
useEffect(() => {
// open dispute button enables 12h before expiry
// open dispute button enables 18h before expiry
const now = Date.now();
const expires_at = new Date(order.expires_at);
expires_at.setHours(expires_at.getHours() - 12);
expires_at.setHours(expires_at.getHours() - 18);
setEnableDisputeButton(now > expires_at);
setEnableDisputeTime(expires_at);
@ -68,6 +73,7 @@ export const ChatPrompt = ({
if (order.is_buyer) {
setSentButton(true);
setReceivedButton(false);
setUndoSentButton(false);
setText(
t(
"Say hi! Ask for payment details and click 'Confirm Sent' as soon as the payment is sent.",
@ -75,6 +81,7 @@ export const ChatPrompt = ({
);
} else {
setSentButton(false);
setUndoSentButton(false);
setReceivedButton(false);
setText(
t(
@ -90,10 +97,12 @@ export const ChatPrompt = ({
// Fiat has been sent already
if (order.is_buyer) {
setSentButton(false);
setUndoSentButton(true);
setReceivedButton(false);
setText(t('Wait for the seller to confirm he has received the payment.'));
} else {
setSentButton(false);
setUndoSentButton(false);
setReceivedButton(true);
setText(t("The buyer has sent the fiat. Click 'Confirm Received' once you receive it."));
}
@ -170,6 +179,20 @@ export const ChatPrompt = ({
) : (
<></>
)}
{undoSentButton ? (
<Collapse in={undoSentButton}>
<LoadingButton
size='small'
sx={{ color: 'text.secondary' }}
loading={loadingUndoSent}
onClick={onClickUndoConfirmSent}
>
{t('Payment failed?')}
</LoadingButton>
</Collapse>
) : (
<></>
)}
{receivedButton ? (
<Collapse in={receivedButton}>
<LoadingButton

View File

@ -10,6 +10,7 @@ import {
ConfirmCollabCancelDialog,
ConfirmDisputeDialog,
ConfirmFiatSentDialog,
ConfirmUndoFiatSentDialog,
ConfirmFiatReceivedDialog,
WebLNDialog,
} from './Dialogs';
@ -79,6 +80,7 @@ interface OpenDialogProps {
confirmCancel: boolean;
confirmCollabCancel: boolean;
confirmFiatSent: boolean;
confirmUndoFiatSent: boolean;
confirmFiatReceived: boolean;
confirmDispute: boolean;
webln: boolean;
@ -88,6 +90,7 @@ const closeAll: OpenDialogProps = {
confirmCancel: false,
confirmCollabCancel: false,
confirmFiatSent: false,
confirmUndoFiatSent: false,
confirmFiatReceived: false,
confirmDispute: false,
webln: false,
@ -136,6 +139,7 @@ const TradeBox = ({
| 'dispute'
| 'pause'
| 'confirm'
| 'undo_confirm'
| 'update_invoice'
| 'update_address'
| 'submit_statement'
@ -209,6 +213,11 @@ const TradeBox = ({
submitAction({ action: 'confirm' });
};
const confirmUndoFiatSent = function () {
setLoadingButtons({ ...noLoadingButtons, undoFiatSent: true });
submitAction({ action: 'undo_confirm' });
};
const updateInvoice = function (invoice: string) {
setLoadingButtons({ ...noLoadingButtons, submitInvoice: true });
submitAction({
@ -476,8 +485,10 @@ const TradeBox = ({
order={order}
robot={robot}
onClickConfirmSent={() => setOpen({ ...open, confirmFiatSent: true })}
onClickUndoConfirmSent={() => setOpen({ ...open, confirmUndoFiatSent: true })}
onClickConfirmReceived={() => setOpen({ ...open, confirmFiatReceived: true })}
loadingSent={loadingButtons.fiatSent}
loadingUndoSent={loadingButtons.undoFiatSent}
loadingReceived={loadingButtons.fiatReceived}
onClickDispute={() => setOpen({ ...open, confirmDispute: true })}
loadingDispute={loadingButtons.openDispute}
@ -681,6 +692,13 @@ const TradeBox = ({
onClose={() => setOpen(closeAll)}
onConfirmClick={confirmFiatSent}
/>
<ConfirmUndoFiatSentDialog
open={open.confirmUndoFiatSent}
order={order}
loadingButton={loadingButtons.undoFiatSent}
onClose={() => setOpen(closeAll)}
onConfirmClick={confirmUndoFiatSent}
/>
<ConfirmFiatReceivedDialog
open={open.confirmFiatReceived}
order={order}

View File

@ -14,7 +14,6 @@ export interface PublicOrder {
premium: number;
satoshis: number;
satoshis_now: number;
bondless_taker: boolean;
bond_size: number;
maker: number;
escrow_duration: number;

View File

@ -31,10 +31,9 @@ export interface Order {
min_amount: string;
max_amount: string;
payment_method: string;
is_explicit: true;
is_explicit: boolean;
premium: number;
satoshis: number;
bondless_taker: true;
maker: number;
taker: number;
escrow_duration: number;

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Si cancel·les ara l'ordre perdràs la teva fiança.",
"Confirm Cancel": "Confirmar cancel·lació",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "Cancel·lar l'ordre col·laborativament?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Donat que el col·lateral està bloquejat, l'ordre només pot cancel·lar-se si tant creador com prenendor ho acorden.",
"Your peer has asked for cancellation": "El teu company ha demanat la cancel·lació",
"Accept Cancelation": "Acceptar cancel·lació",
"Ask for Cancel": "Sol·licitar cancel·lació",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "No s'ha rebut la factura, fes un cop d'ull a la teva wallet WebLN.",
"Amount not yet locked, please check your WebLN wallet.": "Import no bloquejat encara, comprova el teu moneder WebLN.",
"You can close now your WebLN wallet popup.": "Ara pots tancar el popup de la teva wallet WebLN.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "Vols obrir una disputa?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "L'equip de RoboSats examinarà les declaracions i evidències presentades. Com l'equip no pot llegir el xat necessites escriure una declaració completa i exhaustiva. És millor donar un mètode de contacte d'usar i llençar amb la teva declaració. Els Sats del col·lateral seran enviats al guanyador de la disputa, mientres que el perdedor perderà la seva fiança.",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Assegura't d' EXPORTAR el registre del xat. Els administradors poden demanar-te elregistre del xat en cas de discrepàncies. És la teva responsabilitat proveir-ho.",
"Disagree": "Tornar",
"Agree and open dispute": "Obrir disputa",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirmes que has enviat {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirmant que has enviat {{amount}} {{currencyCode}} permetràs al teu company finalitzar l'operació. Si encara no ho has enviat i malgrat això procedeixes a confirmar falsament, t'arrisques a perdre la teva fiança.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Només es cobrarà si cancel·les o si perds una disputa.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Això és una factura retinguda, els Sats es bloquegen a la teva cartera. Serà alliberada al comprador al confirmar que has rebut {{currencyCode}}.",
"Copy to clipboard": "Copiar al portapapers",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renovar Ordre",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renovar Ordre",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Motiu del fracàs:",
"Retrying!": "Reintentant!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "La teva factura ha caducat o s'han fet més de 3 intents de pagament. Envia una nova factura.",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats intentarà pagar la teva factura 3 cops cada 1 minut. Si segueix fallant, podràs presentar una nova factura. Comprova si tens suficient liquiditat entrant. Recorda que els nodes de Lightning han d'estar en línia per poder rebre pagaments.",
"Next attempt in": "Proper intent en",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Si us plau, presenta la teva declaració. Sigues clar i concís sobre que ja passat i entrega l'evidència necessària. HAS DE donar un mètode de contacte per comunicar-te amb l'equip: mètode de contacte d'usar i llençar, XMPP o usuari de Telegram. Les disputes són resoltes amb la discreció dels Robots reals (també coneguts com humans), així doncs ajuda en el possible per assegurar un resultat just. 5000 caràcters màx.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadament has perdut la disputa. Si penses que és un error també pots demanar reobrir el cas per email a robosats@protonmail.com. De todas formes, les probabilitats de ser investigat de nou són baixes.",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Si us plau, presenta la teva declaració. Sigues clar i concís sobre que ja passat i entrega l'evidència necessària. HAS DE donar un mètode de contacte per comunicar-te amb l'equip: mètode de contacte d'usar i llençar, XMPP o usuari de Telegram. Les disputes són resoltes amb la discreció dels Robots reals (també coneguts com humans), així doncs ajuda en el possible per assegurar un resultat just. 5000 caràcters màx.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats està intentant pagar la teva factura de Lightning. Recorda que els nodes Lightning han d'estar en línia per rebre pagaments.",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadament has perdut la disputa. Si penses que és un error també pots demanar reobrir el cas per email a robosats@protonmail.com. De todas formes, les probabilitats de ser investigat de nou són baixes.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats està intentant pagar la teva factura de Lightning. Recorda que els nodes Lightning han d'estar en línia per rebre pagaments.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Si la teva oferta expira sense ser presa, la teva fiança serà desbloquejada a la teva cartera automàticament.",
"Public orders for {{currencyCode}}": "Ordres públiques per {{currencyCode}}",
"Pause the public order": "Pausar l'ordre pública",
"Premium rank": "Percentil de la prima",
"Among public {{currencyCode}} orders (higher is cheaper)": "Entre les ordres públiques de {{currencyCode}} (més alt, més barat)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Gràcies! RoboSats també t'estima",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats millora amb més usuaris i liquiditat. Ensenya-li RoboSats a un amic bitcoiner!",
"Thank you for using Robosats!": "Gràcies per fer servir RoboSats!",
@ -496,47 +500,48 @@
"Sending coins to": "Enviant monedes a",
"Start Again": "Començar de nou",
"Renew": "Renovar",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "Per obrir una disputa cal esperar",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Digues hola! Sigues clar i concís. Escriu-li com pot enviarte {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "Espera a que el vendedor confirmi que ha rebut el pagament.",
"Open Dispute": "Obrir Disputa",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmar {{amount}} {{currencyCode}} enviat",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirmar {{amount}} {{currencyCode}} rebut",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Si us plau, espera a que el prenedor bloquegi la seva fiança. Si no ho fa a temps, l'ordre serà pública de nou.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Si us plau, espera a que el prenedor bloquegi la seva fiança. Si no ho fa a temps, l'ordre serà pública de nou.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "Esperant a que el venedor bloquegi el col·lateral.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un moment. Si el venedor no diposita, recuperaràs la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Estem esperant a que el comprador enviï una factura Lightning. Quan ho faci, podràs comunicar-li directament els detalls del pagament en fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un moment. Si el comprador no coopera, se't retornarà el col·lateral i la teva fiança automàticament. A més, rebràs una compensació (comprova les recompenses al teu perfil).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Ambdues declaracions se'han rebut, espera a que l'equipo resolgui la disputa. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com. Si no vas donar un mètode de contacte, o dubtes de si ho vas escriure bé, escriu-nos immediatament.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Si us plau, guarda l'informació necessària per identificar la teva ordre i pagaments: ID de l'ordre; claus del pagament de la fiança o el col·lateral (comprova la teva cartera Lightning); quantitat exacta de Sats; i nom del Robot. Tindràs que identificar-te com l'usuari involucrat en aquest intercanvi per email (o altre mètode de contacte).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Abans de deixar-te enviar {{amountFiat}} {{currencyCode}}, volem assegurar-nos que pots rebre BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Pots retirar la quantitat de la resolució de la disputa (fiança i col·lateral) des de les recompenses del teu perfil. Si creus que l'equip pot fer alguna cosa més, no dubtis a contactar amb robosats@protonmail.com (o a través del mètode de contacte d'usar i llençar que vas especificar).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Pots retirar la quantitat de la resolució de la disputa (fiança i col·lateral) des de les recompenses del teu perfil. Si creus que l'equip pot fer alguna cosa més, no dubtis a contactar amb robosats@protonmail.com (o a través del mètode de contacte d'usar i llençar que vas especificar).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "La teva ordre pública va ser pausada. Ara mateix, l'ordre no pot ser vista ni presa per altres robots. Pots tornar a activarla quan desitgis.",
"Unpause Order": "Activar Ordre",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Estem esperant la declaració del teu company. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Estem esperant la declaració del teu company. Si tens dubtes de l'estat de la disputa o si vols afegir més informació, contacta amb robosats@protonmail.com.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "El coordinador de RoboSats farà un intercanvi i enviarà els Sats a la vostra adreça onchain.",
"Swap fee": "Comissió del swap",
"Final amount you will receive": "Quantitat final que rebràs",
"Bitcoin Address": "Direcció Bitcoin",
"Invalid": "No vàlid",
"Mining Fee": "Comissió Minera",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Presentar declaració",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Adjuntar registres de xat ajuda el procés de resolució de disputes i afegeix transparència. Tanmateix, pot comprometre la vostra privadesa.",
"Attach chat logs": "Adjuntar registres de xat",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Opcions avançades",
"Routing Budget": "Pressupost d'enrutament",
"Use Lnproxy": "Utilitza Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Factura ofuscada",
"Payout Lightning Invoice": "Factura Lightning",
"Wrap": "Ofuscar",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Fosc",
"Light": "Clar",
"Fiat": "Fiat",
"Swaps": "Intercanvis",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple i Privat Exchange de Bitcoin",
"✅ Bond!": "✅ Fiança!",
"✅ Escrow!": "✅ Dipòsit!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Pokud bude objednávka nyní zrušena, tvoje kauce propadne.",
"Confirm Cancel": "Potvrdit zrušení",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "Oboustraně zrušit obchod?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Satoshi jsou v úschově. Objednávku lze zrušit pouze v případě, že se na zrušení dohodnou jak tvůrce, tak přijemce.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Požádat o zrušení",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "Chceš otevřít spor?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Personál RoboSats prověří předložená vyjádření a důkazy. Musíš vytvořit ucelený důkazní materiál, protože personál nemůže číst chat. Nejlépe spolu s výpovědí uvést jednorázový kontakt. Satoshi v úschově budou zaslány vítězi sporu, zatímco poražený ve sporu přijde o kauci.",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Nezapomeň EXPORTOVAT log chatu. Personál si může vyžádat exportovaný log chatu ve formátu JSON, aby mohl vyřešit nesrovnalosti. Je tvou odpovědností jej uložit.",
"Disagree": "Nesouhlasit",
"Agree and open dispute": "Souhlasit a otevřít spor",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořádán pouze v případě zrušení nebo prohry sporu.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Jedná se o hodl invoice, která ti zamrzne v peněžence. Bude vypořadána ke kupujícímu jakmile potvrdíš příjem {{currencyCode}}.",
"Copy to clipboard": "Zkopírovat do schránky",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Opakovat nabídku",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Opakovat nabídku",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Důvod selhání:",
"Retrying!": "Opakování pokusu!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Tvůj invoice vypršel nebo selhali pokusy o 3 platby. Nahraj nový invoice.",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats se pokusí zaplatit invoice třikrát s minutivými pauzami. V případě neúspěchu bude třeba nahrát nový invoice. Zkontroluj, zda máš dostatek inbound likvidity. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Next attempt in": "Další pokus za",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Prosím, předlož své důkazy. Jasně a stručně popiš, co se stalo a předlož důkazy. MUSÍŠ uvést kontatní údaje: jednorázový email, XMPP nebo telegram přezdívku ke komunikaci s personálem. Spory se řeší podle uvážení skutečných robotů (neboli lidé), buď co nejvíce nápomocný, abys zajistil spravedlivý výsledek. Maximálně 5000 znaků.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Bohužel jsi prohrál spor. Pokud se domníváš, že se jedná o chybu, můžeš požádat o opětovné otevření sporu na robosats@protonmail.com. Ačkoliv šance znovuotevření je malá.",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Prosím, předlož své důkazy. Jasně a stručně popiš, co se stalo a předlož důkazy. MUSÍŠ uvést kontatní údaje: jednorázový email, XMPP nebo telegram přezdívku ke komunikaci s personálem. Spory se řeší podle uvážení skutečných robotů (neboli lidé), buď co nejvíce nápomocný, abys zajistil spravedlivý výsledek. Maximálně 5000 znaků.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats se snaží zaplatit tvůj lightning invoice. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Bohužel jsi prohrál spor. Pokud se domníváš, že se jedná o chybu, můžeš požádat o opětovné otevření sporu na robosats@protonmail.com. Ačkoliv šance znovuotevření je malá.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats se snaží zaplatit tvůj lightning invoice. Nezapomeň, že lightning nody musí být online, aby mohl přijímat platby.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Pokud nabídka vyprší nepříjmuta, tak kauce se ti vrátí (není potřeba žádné akce).",
"Public orders for {{currencyCode}}": "Veřejné nabídky pro {{currencyCode}}",
"Pause the public order": "Pozastavit zveřejnění nabídky",
"Premium rank": "Úroveň přirážky",
"Among public {{currencyCode}} orders (higher is cheaper)": "Mezi veřejnými {{currencyCode}} nabídkami (vyšší je levnější)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats bude lepší s větší likviditou a uživateli. Pověz svým přátelům o Robosats!",
"Thank you for using Robosats!": "Děkujeme, že používáš Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Začít znovu",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Pozdrav! Buď vstřícný a stručný. Dej mu vědět, jak ti poslat {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "Počkej na potvzení, že prodavající obdržel platbu.",
"Open Dispute": "Otevřít spor",
"Confirm {{amount}} {{currencyCode}} sent": "Potvrdit odeslání {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Potvrdit příjmutí {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Vyčkej, až příjemce uzamkne kauci. Pokud příjemce neuzamkne kauci včas, nabídka se znovu zveřejní.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"Please wait for the taker to lock a bond. If the taker does not lock a bond in time, the order will be made public again.": "Vyčkej, až příjemce uzamkne kauci. Pokud příjemce neuzamkne kauci včas, nabídka se znovu zveřejní.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "Čekáme, až prodavající uzamkne satoshi .",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Vydrž chvíli. Pokud prodavající neprovede vklad, kauce se ti automaticky vrátí. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Čekáme, až kupující vloží lightning invoice. Jakmile tak učiní, budeš moct se s ním moct dohodnout fiat platbě.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Vydrž chvíli. Pokud kupující nespolupracuje, automaticky získáš zpět svojí kauci a předmět obchodu satoshi. Kromě toho obdržíš kompenzaci (zkontroluj odměny ve svém profilu).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Získali jsme obě prohlášení, počkej na vyřešení sporu personálem. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com. Pokud jsi neposkytl kontaktní údaje nebo nejsi si jist, zda jsi to napsal správně okamžitě nás kontaktuj.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": " Uložte si prosím informace potřebné k identifikaci tvé nabídky a tvých plateb: číslo nabídky; hash platby kauce nebo úschovy (zkontroluj si lightning peněženku); přesná částka satoshi; a robot přezdívku. V komunikaci emailem(nebo jinak) se představíš jako zúčastněna strana.",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Předtím než tě necháme odeslat {{amountFiat}} {{currencyCode}}, chceme se nechat ujistit, že jsi schopen příjmout BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Satoshi z vyřešeného sporů (z úschovy a kauce) si můžeš vybrat z odměn ve svém profilu. Pokud ti personál může s něčím pomoci, neváhej a kontaktuj nás na robosats@protonmail.com (nebo jiný způsob komunikace).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Satoshi z vyřešeného sporů (z úschovy a kauce) si můžeš vybrat z odměn ve svém profilu. Pokud ti personál může s něčím pomoci, neváhej a kontaktuj nás na robosats@protonmail.com (nebo jiný způsob komunikace).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Tvá veřejná nabídka je pozastavena. V tuto chvíli ji nemohou vidět ani přijmout jiní roboti. Pozastavení můžeš kdykoliv zrušit.",
"Unpause Order": "Zrušit pozastavení nabídky",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Čekáme na vyjádření protistrany. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Čekáme na vyjádření protistrany. Pokud si nejsi jist stavem sporu nebo chceš doplnit další informace, kontaktuj robosats@protonmail.com.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap poplatek",
"Final amount you will receive": "Konečná částka, kterou získáš",
"Bitcoin Address": "Bitcoin adresa",
"Invalid": "Neplatné",
"Mining Fee": "Těžební poplatek",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Odeslat vyjádření",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Vyplatit Lightning invoice",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"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",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Bitte um Abbruch",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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.",
"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.": "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.",
"Disagree": "Ablehnen",
"Agree and open dispute": "Akzeptieren und Fall eröffnen",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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.",
"Copy to clipboard": "In Zwischenablage kopieren",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Order erneuern",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Order erneuern",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Fehlerursache:",
"Retrying!": "Erneut versuchen!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"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).",
"Public orders for {{currencyCode}}": "Öffentliche Order für {{currencyCode}}",
"Pause the public order": "Order pausieren",
"Premium rank": "Aufschlags-Rang",
"Among public {{currencyCode}} orders (higher is cheaper)": "Anzahl öffentlicher {{currencyCode}} Order (höher ist günstiger)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Nochmal",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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.",
"Wait for the seller to confirm he has received the payment.": "Warte, bis der Verkäufer die Zahlung bestätigt.",
"Open Dispute": "Streitfall eröffnen",
"Confirm {{amount}} {{currencyCode}} sent": "Bestätige {{amount}} {{currencyCode}} gesendet",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Bestätige {{amount}} {{currencyCode}} erhalten",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap fee",
"Final amount you will receive": "Final amount you will receive",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "Ungültig",
"Mining Fee": "Mining Fee",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Übermittle Fall-Aussage",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Lightning-Auszahlungs-Invoice",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "If the order is cancelled now you will lose your bond.",
"Confirm Cancel": "Confirm Cancel",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "Collaborative cancel the order?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Ask for Cancel",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "Do you want to open a dispute?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "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.",
"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.": "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.",
"Disagree": "Disagree",
"Agree and open dispute": "Agree and open dispute",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "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}}.",
"Copy to clipboard": "Copy to clipboard",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renew Order",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renew Order",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Failure reason:",
"Retrying!": "Retrying!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.",
"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": "Next attempt in",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.": "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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.": "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.",
"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.": "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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.",
"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.": "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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "If the order expires untaken, your bond will return to you (no action needed).",
"Public orders for {{currencyCode}}": "Public orders for {{currencyCode}}",
"Pause the public order": "Pause the public order",
"Premium rank": "Premium rank",
"Among public {{currencyCode}} orders (higher is cheaper)": "Among public {{currencyCode}} orders (higher is cheaper)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!",
"Thank you for using Robosats!": "Thank you for using Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Start Again",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "Wait for the seller to confirm he has received the payment.",
"Open Dispute": "Open Dispute",
"Confirm {{amount}} {{currencyCode}} sent": "Confirm {{amount}} {{currencyCode}} sent",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirm {{amount}} {{currencyCode}} received",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "We are waiting for the seller to lock the trade amount.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "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.",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.": "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.",
"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).": "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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).": "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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).": "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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.",
"Unpause Order": "Unpause Order",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.": "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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap fee",
"Final amount you will receive": "Final amount you will receive",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "Invalid",
"Mining Fee": "Mining Fee",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Submit dispute statement",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Payout Lightning Invoice",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Si cancelas la orden ahora perderás tu fianza.",
"Confirm Cancel": "Confirmar cancelación",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "¿Cancelar la orden colaborativamente?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Dado que el colateral está bloqueado, la orden solo puede cancelarse si tanto el creador como el tomador están de acuerdo.",
"Your peer has asked for cancellation": "Tu contraparte ha solicitado la cancelación",
"Accept Cancelation": "Acceptar la cancelación",
"Ask for Cancel": "Solicitar cancelación",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "No se ha recibido la factura, echa un vistazo a tu wallet WebLN.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "Ahora puedes cerrar la ventana emergente de tu wallet WebLN.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "¿Quieres abrir 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.": "El equipo de RoboSats examinará las declaraciones y evidencias presentadas. Como el equipo no puede leer el chat, debes escribir una declaración completa y detallada. Es mejor aportar un método de contacto de usar y tirar en tu declaración. El ganador de la disputa recuperará su fianza, pero el perdedor no.",
"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.": "Asegúrate de EXPORTAR el registro del chat. Los administradores pueden pedirte el registro del chat en caso de discrepancias. Es responsabilidad tuya aportarlo.",
"Disagree": "Volver",
"Agree and open dispute": "Abrir disputa",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Esto es una factura retenida, los Sats se bloquean en tu cartera. Solo se cobrará si cancelas o pierdes 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}}.": "Esto es una factura retenida, los Sats se bloquean en tu cartera. Será liberada al comprador al confirmar que has recibido {{currencyCode}}.",
"Copy to clipboard": "Copiar al portapapeles",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renovar Orden",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renovar Orden",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Razón del fallo:",
"Retrying!": "¡Reintentando!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Tu factura ha expirado o se han hecho más de 3 intentos de pago. Aporta una nueva factura.",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats intentará pagar tu factura 3 veces con una pausa de un minuto entre cada intento. Si sigue fallando, podrás presentar una nueva factura. Comprueba si tienes suficiente liquidez entrante. Recuerda que los nodos de Lightning tienen que estar en línea para poder recibir pagos.",
"Next attempt in": "Próximo intento en",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.": "Por favor, explica lo que ha ocurrido. Sé claro, conciso y entrega las evidencias pertinentes. DEBES aportar un método de contacto para comunicarte con el equipo: puede ser un método de contacto de usar y tirar, XMPP, usuario de Telegram, etc. Las disputas son resueltas según el criterio de Robots reales (también conocidos como humanos), así que ayuda en lo posible para asegurar un resultado justo. 5000 carácteres máx.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadamente has perdido la disputa. Si piensas que es un error también puedes pedir reabrir el caso por email a robosats@protonmail.com. De todas formas, las probabilidades de ser investigado de nuevo son bajas.",
"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.": "Por favor, explica lo que ha ocurrido. Sé claro, conciso y entrega las evidencias pertinentes. DEBES aportar un método de contacto para comunicarte con el equipo: puede ser un método de contacto de usar y tirar, XMPP, usuario de Telegram, etc. Las disputas son resueltas según el criterio de Robots reales (también conocidos como humanos), así que ayuda en lo posible para asegurar un resultado justo. 5000 carácteres máx.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats está intentando pagar tu factura de Lightning. Recuerda que los nodos Lightning deben estar en línea para recibir pagos.",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "Desafortunadamente has perdido la disputa. Si piensas que es un error también puedes pedir reabrir el caso por email a robosats@protonmail.com. De todas formas, las probabilidades de ser investigado de nuevo son bajas.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats está intentando pagar tu factura de Lightning. Recuerda que los nodos Lightning deben estar en línea para recibir pagos.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Si tu oferta expira sin ser tomada, tu fianza será desbloqueada en tu cartera automáticamente.",
"Public orders for {{currencyCode}}": "Órdenes públicas por {{currencyCode}}",
"Pause the public order": "Pausar la orden pública",
"Premium rank": "Percentil de la prima",
"Among public {{currencyCode}} orders (higher is cheaper)": "Entre las órdenes públicas de {{currencyCode}} (más alto, más barato)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "¡Gracias! RoboSats también te quiere",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats mejora con más liquidez y usuarios. ¡Háblale a un amigo bitcoiner sobre RoboSats!",
"Thank you for using Robosats!": "¡Gracias por usar RoboSats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Empezar de nuevo",
"Renew": "Renovar",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "Debes esperar para abrir una disputa",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "¡Di hola! Sé claro y conciso. Indica cómo debe enviarte {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "Espera a que el vendedor confirme que ha recibido el pago.",
"Open Dispute": "Abrir Disputa",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmar {{amount}} {{currencyCode}} enviado",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirmar {{amount}} {{currencyCode}} recibido",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "Por favor, espera a que el tomador bloquee su fianza. Si no lo hace a tiempo, la orden volverá a publicarse.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "Por favor, espera a que el tomador bloquee su fianza. Si no lo hace a tiempo, la orden volverá a publicarse.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "Estamos esperando a que el vendedor bloquee la cantidad a intercambiar.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un momento. Si el vendedor no hace el depósito, recuperarás tu fianza automáticamente. Además, recibirás una compensación (verás las recompensas en tu perfil).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "Estamos esperando a que el comprador envíe una factura Lightning. Cuando lo haga, podrás comunicarle directamente los detalles del pago en fiat.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Espera un momento. Si el comprador no coopera, se te devolverá el colateral y tu fianza automáticamente. Además, recibirás una compensación (verás las recompensas en tu perfil).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.": "Ambas declaraciones se han recibido, espera a que el equipo resuelva la disputa. Si dudas sobre el estado de la disputa o quieres añadir información, contacta con robosats@protonmail.com. Si no has aportado un método de contacto, o dudas de si lo escribiste bien, escríbenos inmediatamente.",
"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).": "Por favor, guarda la información necesaria para identificar tu orden y tus pagos: ID de orden; claves del pago de la fianza o el colateral (comprueba tu cartera Lightning); cantidad exacta de Sats; y nombre del Robot. Tendrás que identificarte como el usuario involucrado en este intercambio por email (u otro método de contacto).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Antes de dejarte enviar {{amountFiat}} {{currencyCode}}, queremos asegurarnos de que puedes recibir los sats.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Puedes retirar la cantidad resuelta en la disputa (fianza y colateral) desde las recompensas de tu perfil. Si hay algo que el equipo pueda hacer, no dudes en contactar con robosats@protonmail.com (o a través del método de contacto que hayas especificado).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Puedes retirar la cantidad resuelta en la disputa (fianza y colateral) desde las recompensas de tu perfil. Si hay algo que el equipo pueda hacer, no dudes en contactar con robosats@protonmail.com (o a través del método de contacto que hayas especificado).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Tu orden pública ha sido pausada. Ahora mismo, la orden no puede ser vista ni tomada por otros robots. Puedes volver a activarla cuando desees.",
"Unpause Order": "Reactivar Orden",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Estamos esperando la declaración de tu compañero. Si dudas sobre el estado de la disputa o quieres añadir más información, escribe a robosats@protonmail.com.",
"#67": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Estamos esperando la declaración de tu compañero. Si dudas sobre el estado de la disputa o quieres añadir más información, escribe a robosats@protonmail.com.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "El coordinador de RoboSats hará un swap y enviará los sats a tu dirección onchain.",
"Swap fee": "Comisión del swap",
"Final amount you will receive": "Cantidad final que vas a recibir",
"Bitcoin Address": "Dirección Bitcoin",
"Invalid": "No válido",
"Mining Fee": "Comisión Minera",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Presentar declaración",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Adjuntar transcripciones del chat ayuda a resolver la disputa y añade transparencia. Sin embargo, puede comprometer tu privacidad.",
"Attach chat logs": "Adjuntar el registro del chat",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Opciones avanzadas",
"Routing Budget": "Presupuesto de enrutado",
"Use Lnproxy": "Usa Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Factura oculta",
"Payout Lightning Invoice": "Factura Lightning",
"Wrap": "Ofuscar",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Oscuro",
"Light": "Claro",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Exchange de Bitcoin Simple y Privado",
"✅ Bond!": "✅ ¡Fianza!",
"✅ Escrow!": "✅ ¡Depósito!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Eskaera ezeztatuz gero fidantza galduko duzu.",
"Confirm Cancel": "Onartu ezeztapena",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Ezeztatzea eskatu",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Faktura ez da jaso, mesedez begiratu zure WebLN kartera.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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.",
"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.",
"Disagree": "Atzera",
"Agree and open dispute": "Onartu eta eztabaida ireki",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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.",
"Copy to clipboard": "Kopiatu",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Eskaera Berritu",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Eskaera Berritu",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Akatsaren arrazoia:",
"Retrying!": "Berriz saiatzen!",
"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.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Eskaera hartu gabe amaitzen bada, fidantza automatikoki itzuliko zaizu.",
"Public orders for {{currencyCode}}": "Eskaera publikoak {{currencyCode}}entzat",
"Pause the public order": "Eskaera publikoa eten",
"Premium rank": "Prima maila",
"Among public {{currencyCode}} orders (higher is cheaper)": "{{currencyCode}} eskaera publikoen artean (altuagoa merkeagoa da)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Berriz Hasi",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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.",
"Wait for the seller to confirm he has received the payment.": "Itxaron saltzaileak ordainketa jaso duela baieztatu arte.",
"Open Dispute": "Eztabaida Ireki",
"Confirm {{amount}} {{currencyCode}} sent": "Baieztatu {{amount}} {{currencyCode}} bidali dela",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Baieztatu {{amount}} {{currencyCode}} jaso dela",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap kuota",
"Final amount you will receive": "Jasoko duzun azken kopurua",
"Bitcoin Address": "Bitcoin Helbidea",
"Invalid": "Baliogabea",
"Mining Fee": "Meatzaritza Kuota",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Aurkeztu eztabaidaren adierazpena",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Lightning Faktura ordaindu",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"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",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Demande d'annulation",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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.",
"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.": "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.",
"Disagree": "En désaccord",
"Agree and open dispute": "Accepter et ouvrir un litige",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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}}.",
"Copy to clipboard": "Copier dans le presse-papiers",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renew Order",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renew Order",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Failure reason:",
"Retrying!": "Nouvelle tentative!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"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).",
"Public orders for {{currencyCode}}": "Ordres publics pour {{currencyCode}}",
"Pause the public order": "Pause the public order",
"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)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Recommencer",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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}}.",
"Wait for the seller to confirm he has received the payment.": "Attendez que le vendeur confirme qu'il a reçu le paiement.",
"Open Dispute": "Ouvrir litige",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmer l'envoi de {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirmer la réception de {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.",
"Unpause Order": "Unpause Order",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap fee",
"Final amount you will receive": "Final amount you will receive",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "Invalide",
"Mining Fee": "Mining Fee",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Soumettre une déclaration de litige",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Facture lightning de paiement",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"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",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Richiesta di annullamento",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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",
"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.",
"Disagree": "Non sono d'accordo",
"Agree and open dispute": "Sono d'accordo e apri una disputa",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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}}.",
"Copy to clipboard": "Copia",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Rinnova l'ordine",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Rinnova l'ordine",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Ragione del fallimento:",
"Retrying!": "Retrying!",
"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.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"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).",
"Public orders for {{currencyCode}}": "Ordini pubblici per {{currencyCode}}",
"Pause the public order": "Sospendi l'ordine pubblico",
"Premium rank": "Classifica del premio",
"Among public {{currencyCode}} orders (higher is cheaper)": "Tra gli ordini pubblici in {{currencyCode}} (costo crescente)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Ricomincia",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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}}.",
"Wait for the seller to confirm he has received the payment.": "Aspetta che l'offerente confermi la ricezione del pagamento.",
"Open Dispute": "Apri una disputa",
"Confirm {{amount}} {{currencyCode}} sent": "Conferma l'invio di {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Conferma la ricezione di {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap fee",
"Final amount you will receive": "Final amount you will receive",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "Invalido",
"Mining Fee": "Mining Fee",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Dichiarazione inviata",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Fattura di pagamento Lightning",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Jeśli zamówienie zostanie teraz anulowane, stracisz kaucję.",
"Confirm Cancel": "Potwierdź Anuluj",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Poproś o anulowanie",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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ę.",
"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.": "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.",
"Disagree": "Nie zgadzać się",
"Agree and open dispute": "Zgadzam się i otwieram spór",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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}}.",
"Copy to clipboard": "Skopiuj do schowka",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renew Order",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renew Order",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Failure reason:",
"Retrying!": "Ponawianie!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"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ć).",
"Public orders for {{currencyCode}}": "Zamówienia publiczne dla {{currencyCode}}",
"Pause the public order": "Pause the public order",
"Premium rank": "Ranga premium",
"Among public {{currencyCode}} orders (higher is cheaper)": "Wśród publicznych zamówień {{currencyCode}} (wyższy jest tańszy)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Zacznij jeszcze raz",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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}}.",
"Wait for the seller to confirm he has received the payment.": "Poczekaj, aż sprzedawca potwierdzi, że otrzymał płatność.",
"Open Dispute": "Otwarta dyskusja",
"Confirm {{amount}} {{currencyCode}} sent": "Potwierdź wysłanie {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Potwierdź otrzymanie {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.",
"Unpause Order": "Unpause Order",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap fee",
"Final amount you will receive": "Final amount you will receive",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "Nieważny",
"Mining Fee": "Mining Fee",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Prześlij oświadczenie o sporze",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Wypłata faktura Lightning",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Se a ordem for cancelada agora, você perderá seu vínculo.",
"Confirm Cancel": "Confirmar cancelamento",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "Cancelar o pedido colaborativamente?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "O caução comercial foi postado. O pedido só pode ser cancelado se ambos, criador e tomador, concordarem em cancelar.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Pedir para cancelar",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "Quer abrir uma 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.": "A equipe do RoboSats examinará as declarações e evidências fornecidas. Você precisa construir um caso completo, pois a equipe não pode ler o chat. É melhor fornecer um método de contato do queimador com sua declaração. Os satoshis no depósito de garantia serão enviados ao vencedor da disputa, enquanto o perdedor da disputa perderá o vínculo.",
"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.": "Certifique-se de EXPORTAR o log de bate-papo. A equipe pode solicitar seu JSON de log de bate-papo exportado para resolver discrepâncias. É sua responsabilidade armazená-lo.",
"Disagree": "Discordar",
"Agree and open dispute": "Concordar e abrir disputa",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Esta é uma invoice de espera, ela será congelada em sua carteira. Será cobrado apenas se você cancelar ou perder uma 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}}.": "Esta é uma invoice de espera, ela será congelada em sua carteira. Ele será liberado para o comprador assim que você confirmar o recebimento do {{currencyCode}}.",
"Copy to clipboard": "Copiar para área de transferência",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Renovar pedido",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Renovar pedido",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Motivo da falha:",
"Retrying!": "Tentando novamente!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Sua invoice expirou ou foram feitas mais de 3 tentativas de pagamento. Envie uma nova invoice.",
"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.": "O RoboSats tentará pagar sua invoice 3 vezes com uma pausa de um minuto entre elas. Se continuar falhando, você poderá enviar uma nova fatura. Verifique se você tem liquidez de entrada suficiente. Lembre-se de que os nós lightning devem estar online para receber pagamentos.",
"Next attempt in": "Próxima tentativa em",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.": "Por favor, envie sua declaração. Seja claro e específico sobre o que aconteceu e forneça as evidências necessárias. Você DEVE fornecer um método de contato: e-mail do gravador, nome de usuário XMPP ou telegram para acompanhar a equipe. As disputas são resolvidas a critério de robôs reais (também conhecidos como humanos), portanto, seja o mais útil possível para garantir um resultado justo. Máximo de 5000 caracteres.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.": "Infelizmente você perdeu a disputa. Se você acha que isso é um erro, você pode pedir para reabrir o caso por e-mail para robosats@protonmail.com. No entanto, as chances de ser investigado novamente são baixas.",
"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.": "Por favor, envie sua declaração. Seja claro e específico sobre o que aconteceu e forneça as evidências necessárias. Você DEVE fornecer um método de contato: e-mail do gravador, nome de usuário XMPP ou telegram para acompanhar a equipe. As disputas são resolvidas a critério de robôs reais (também conhecidos como humanos), portanto, seja o mais útil possível para garantir um resultado justo. Máximo de 5000 caracteres.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats está tentando pagar sua lightning invoice. Lembre-se de que os nós lightning devem estar online para receber pagamentos.",
"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.": "Infelizmente você perdeu a disputa. Se você acha que isso é um erro, você pode pedir para reabrir o caso por e-mail para robosats@protonmail.com. No entanto, as chances de ser investigado novamente são baixas.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats está tentando pagar sua lightning invoice. Lembre-se de que os nós lightning devem estar online para receber pagamentos.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Se o pedido expirar sem ser realizado, seu título retornará a você (sem necessidade de ação).",
"Public orders for {{currencyCode}}": "Ordens públicas para {{currencyCode}}",
"Pause the public order": "Pausar a ordem pública",
"Premium rank": "Rank de prêmio",
"Among public {{currencyCode}} orders (higher is cheaper)": "Entre ordens públicas {{currencyCode}} (mais alto é mais barato)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats fica melhor com mais liquidez e usuários. Conte a um amigo bitcoiner sobre Robosats!",
"Thank you for using Robosats!": "Obrigado por usar Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Comece de novo",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Diga oi! Seja útil e conciso. Deixe-os saber como enviar {{amount}} {{currencyCode}} para você.",
"Wait for the seller to confirm he has received the payment.": "Aguarde o vendedor confirmar que recebeu o pagamento.",
"Open Dispute": "Abrir disputa",
"Confirm {{amount}} {{currencyCode}} sent": "Confirmar o envio de {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirmar que recebeu {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "Por favor, espere que o tomador bloqueie uma fiança. Se o tomador não fechar um vínculo a tempo, a ordem será tornada pública novamente.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "Por favor, espere que o tomador bloqueie uma fiança. Se o tomador não fechar um vínculo a tempo, a ordem será tornada pública novamente.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "Estamos aguardando o vendedor bloquear o valor da negociação.",
"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).": "Apenas espere um momento. Se o vendedor não depositar, você receberá seu título de volta automaticamente. Além disso, você receberá uma compensação (verifique as recompensas em seu perfil).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "Estamos aguardando o comprador postar uma lightning invoice. Uma vez que ele o faça, você poderá comunicar diretamente os detalhes do pagamento fiduciário.",
"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).": "Apenas espere um momento. Se o comprador não cooperar, você receberá de volta a garantia comercial e seu título automaticamente. Além disso, você receberá uma compensação (verifique as recompensas em seu perfil).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.": "Ambas as declarações foram recebidas, aguarde a equipe para resolver a disputa. Se você está hesitante sobre o estado da disputa ou deseja adicionar mais informações, entre em contato com robosats@protonmail.com. Se você não forneceu um método de contato ou não tem certeza se escreveu certo, escreva-nos imediatamente.",
"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).": "Por favor, salve as informações necessárias para identificar seu pedido e seus pagamentos: ID do pedido; hashes de pagamento dos títulos ou caução (verifique sua carteira relâmpago); quantidade exata de satoshis; e apelido de robô. Você terá que se identificar como o usuário envolvido nesta negociação por e-mail (ou outros métodos de contato).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Antes de permitir que você envie {{amountFiat}} {{currencyCode}}, queremos ter certeza de que você pode receber o BTC.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).": "Você pode reivindicar o valor da resolução de disputas (caução e fiança) das recompensas do seu perfil. Se houver algo que a equipe possa ajudar, não hesite em entrar em contato com robosats@protonmail.com (ou através do método de contato fornecido pelo gravador).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).": "Você pode reivindicar o valor da resolução de disputas (caução e fiança) das recompensas do seu perfil. Se houver algo que a equipe possa ajudar, não hesite em entrar em contato com robosats@protonmail.com (ou através do método de contato fornecido pelo gravador).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Seu pedido público foi pausado. No momento não pode ser visto ou tomado por outros robôs. Você pode optar por retomá-lo a qualquer momento.",
"Unpause Order": "Retomar pedido",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.": "Estamos aguardando sua declaração de contrapartida comercial. Se você está hesitante sobre o estado da disputa ou deseja adicionar mais informações, entre em contato com robosats@protonmail.com.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.": "Estamos aguardando sua declaração de contrapartida comercial. Se você está hesitante sobre o estado da disputa ou deseja adicionar mais informações, entre em contato com robosats@protonmail.com.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Taxa de negociação",
"Final amount you will receive": "Valor final que você receberá",
"Bitcoin Address": "Endereço Bitcoin",
"Invalid": "Inválido",
"Mining Fee": "Taxa de mineração",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Enviar declaração de disputa",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Pagamento Lightning Invoice",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "Если ордер будет отменён сейчас, Вы потеряете залог.",
"Confirm Cancel": "Подтвердить отмену",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "Совместно отменить ордер?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "Эскроу сделки был опубликован. Ордер может быть отменен только в том случае, если оба, мейкер и тейкер, согласны на отмену.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Запросить отмену",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Платёж не получен. Пожалуйста, проверьте Ваш WebLN Кошелёк.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "Вы можете закрыть всплывающее окно WebLN Кошелька",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "Хотите ли Вы открыть диспут?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "Персонал RoboSats рассмотрит предоставленные заявления и доказательства. Вам необходимо построить полное дело, так как сотрудники не могут читать чат. Лучше всего указать одноразовый метод контакта вместе с Вашим заявлением. Сатоши в эскроу сделки будут отправлены победителю диспута, а проигравший в диспуте потеряет залог.",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "Обязательно ЭКСПОРТИРУЙТЕ журнал чата. Персонал может запросить Ваш экспортированный журнал чата в формате JSON для устранения несоответствий. Вы несёте ответственность за его сохранение.",
"Disagree": "Не согласиться",
"Agree and open dispute": "Согласиться и открыть диспут",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "Этот инвойс заблокируется в Вашем кошельке. Он будет списан только в том случае, если Вы отмените сделку или проиграете диспут.",
"This is a hold invoice, it will freeze in your wallet. It will be released to the buyer once you confirm to have received the {{currencyCode}}.": "Этот инвойс заблокируется в Вашем кошельке. Он будет передан покупателю, как только Вы подтвердите получение {{currencyCode}}.",
"Copy to clipboard": "Скопировать",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Обновить ордер",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Обновить ордер",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Причина неудачи:",
"Retrying!": "Повторная попытка!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Срок действия Вашего инвойса истёк или было сделано более трёх попыток оплаты. Отправьте новый инвойс.",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats будет пытаться оплатить Ваш инвойс 3и раза каждые 1ть минут. Если это не удастся, Вы сможете отправить новый инвойс. Проверьте, достаточно ли у Вас входящей ликвидности. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Next attempt in": "Следующая попытка через",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Пожалуйста, отправьте своё заявление. Ясно и конкретно опишите, что произошло, и предоставьте необходимые доказательства. Чтобы связаться с персоналом Вы ДОЛЖНЫ указать способ связи: одноразовая электронная почта, XMPP или имя пользователя в Telegram. Споры решаются на усмотрение настоящих роботов (также известных как люди), поэтому будьте как можно более конструктивны, чтобы обеспечить справедливый результат. Максимум 5000 символов.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "К сожалению, Вы проиграли диспут. Если Вы считаете, что это ошибка, Вы можете попросить повторно открыть диспут по электронной почте robosats@protonmail.com. Однако шансы на то, что диспут будет расследован снова, невелики.",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "Пожалуйста, отправьте своё заявление. Ясно и конкретно опишите, что произошло, и предоставьте необходимые доказательства. Чтобы связаться с персоналом Вы ДОЛЖНЫ указать способ связи: одноразовая электронная почта, XMPP или имя пользователя в Telegram. Споры решаются на усмотрение настоящих роботов (также известных как люди), поэтому будьте как можно более конструктивны, чтобы обеспечить справедливый результат. Максимум 5000 символов.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats пытается оплатить Ваш Lightning инвойс. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "К сожалению, Вы проиграли диспут. Если Вы считаете, что это ошибка, Вы можете попросить повторно открыть диспут по электронной почте robosats@protonmail.com. Однако шансы на то, что диспут будет расследован снова, невелики.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats пытается оплатить Ваш Lightning инвойс. Помните, что ноды Lightning должны быть подключены к сети, чтобы получать платежи.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "Если Ваш ордер не будет принят и срок его действия истечёт, Ваша залог вернётся к Вам (никаких действий не требуется).",
"Public orders for {{currencyCode}}": "Публичные ордера {{currencyCode}}",
"Pause the public order": "Приостановить публичный ордер",
"Premium rank": "Ранг наценки",
"Among public {{currencyCode}} orders (higher is cheaper)": "Среди публичных {{currencyCode}} ордеров (чем выше, тем дешевле)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats становится лучше с большей ликвидностью и пользователями. Расскажите другу-биткойнеру о Robosat!",
"Thank you for using Robosats!": "Спасибо за использование Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Начать Снова",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Скажите привет! Будьте доброжелательны и кратки. Сообщите, как отправить Вам {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "Подождите, пока продавец подтвердит, что он получил платёж.",
"Open Dispute": "Открыть диспут",
"Confirm {{amount}} {{currencyCode}} sent": "Подтвердить отправку {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Подтвердить получение {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "Пожалуйста, подождите, пока тейкер заблокирует залог. Если тейкер не заблокирует залог вовремя, ордер будет снова опубликован",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "Пожалуйста, подождите, пока тейкер заблокирует залог. Если тейкер не заблокирует залог вовремя, ордер будет снова опубликован",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": " Мы ждём, пока продавец заблокирует сумму сделки.",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Просто немного подождите. Если продавец не внесёт депозит, залог вернётся к Вам автоматически. Кроме того, Вы получите компенсацию (проверьте вознаграждения в своем профиле)",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"We are waiting for the buyer to post a lightning invoice. Once he does, you will be able to directly communicate the fiat payment details.": "Мы ждём, пока покупатель разместит Lightning инвойс. Как только он это сделает, Вы сможете напрямую сообщить реквизиты фиатного платежа.",
"Just hang on for a moment. If the buyer does not cooperate, you will get back the trade collateral and your bond automatically. In addition, you will receive a compensation (check the rewards in your profile).": "Просто немного подождите. Если покупатель не будет сотрудничать, Вы автоматически вернёте свой депозит и залог. Кроме того, Вы получите компенсацию (проверьте вознаграждение в своем профиле).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "Оба заявления получены, дождитесь разрешения диспута персоналом. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com. Если Вы не указали способ связи, или не уверены, правильно ли Вы его написали, немедленно свяжитесь с нами.",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "Пожалуйста, сохраните информацию, необходимую для идентификации Вашего ордера и Ваших платежей: ID ордера, хэши платежей залога или эскроу (проверьте свой кошелек Lightning), точную сумму Сатоши и псевдоним робота. Вам нужно будет идентифицировать себя как пользователя участвующего в этой сделке по электронной почте (или другим способом связи).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "Прежде чем позволить Вам отправить {{amountFiat}} {{currencyCode}}, мы хотим убедиться, что Вы можете получить BTC.",
"Lightning": "Лайтнинг",
"Onchain": "Ончейн",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Вы можете запросить сумму разрешения диспута (эскроу и залог) из вознаграждений Вашего профиля. Если есть что-то, с чем персонал может Вам помочь, не стесняйтесь обращаться по адресу robosats@protonmail.com (или через предоставленный Вами одноразовый способ связи).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "Вы можете запросить сумму разрешения диспута (эскроу и залог) из вознаграждений Вашего профиля. Если есть что-то, с чем персонал может Вам помочь, не стесняйтесь обращаться по адресу robosats@protonmail.com (или через предоставленный Вами одноразовый способ связи).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "Ваш публичный ордер приостановлен. В данный момент его не могут увидеть или принять другие роботы. Вы можете запустить его в любое время.",
"Unpause Order": "Запустить ордер",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Мы ждём заявление Вашего торгового партнёра. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "Мы ждём заявление Вашего торгового партнёра. Если Вы сомневаетесь в состоянии диспута или хотите добавить дополнительную информацию, свяжитесь с robosats@protonmail.com.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Комиссия за своп",
"Final amount you will receive": "Окончательная сумма, которую Вы получите",
"Bitcoin Address": "Биткойн Адрес",
"Invalid": "Неверно",
"Mining Fee": "Комиссия Майнерам",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Отправить заявление о диспуте",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Счет на выплату Лайтнинг",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"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",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"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.",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "Be om makulering",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"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.",
"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.",
"Disagree": "Acceptera ej",
"Agree and open dispute": "Acceptera och öppna dispyt",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"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}}.",
"Copy to clipboard": "Kopiera till urklipp",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "Förnya order",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "Förnya order",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "Failure reason:",
"Retrying!": "Testar igen!",
"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.",
"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",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"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.",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"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.",
"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.",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"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.",
"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.",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"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.",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"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)",
"Public orders for {{currencyCode}}": "Publika ordrar för {{currencyCode}}",
"Pause the public order": "Pausa den publika ordern",
"Premium rank": "Premiumrank",
"Among public {{currencyCode}} orders (higher is cheaper)": "Bland publika {{currencyCode}} ordrar (högre är billigare)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"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!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Börja om",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"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.",
"Wait for the seller to confirm he has received the payment.": "Vänta på att säljaren ska bekräfta att den mottagit betalningen.",
"Open Dispute": "Öppna dispyt",
"Confirm {{amount}} {{currencyCode}} sent": "Bekräfta {{amount}} {{currencyCode}} skickat",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Bekräfta {{amount}} {{currencyCode}} mottaget",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"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).",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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).",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"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.",
"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).",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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.",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"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).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"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).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"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.",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"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.",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "Swap-avgift",
"Final amount you will receive": "Slutgiltig belopp som du kommer att mottaga",
"Bitcoin Address": "Bitcoin-adress",
"Invalid": "Ogiltig",
"Mining Fee": "Miningavgift",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "Skicka dispytredogörelse",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Lightning-faktura för utbetalning",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "ถ้ารายการถูกยกเลิกในขั้นตอนนี้ คุณจะสูญเสีย bond",
"Confirm Cancel": "ยืนยันยกเลิก",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "ร่วมกันยกเลิกรายการหรือไม่",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "ผู้ขายวางเหรียญแล้ว หากต้องการยกเลิกการซื้อขายจะต้องได้รับการยินยอมจากอีกฝั่งร่วมกับคุณ",
"Your peer has asked for cancellation": "Your peer has asked for cancellation",
"Accept Cancelation": "Accept Cancelation",
"Ask for Cancel": "ขอให้ยกเลิก",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "Invoice not received, please check your WebLN wallet.",
"Amount not yet locked, please check your WebLN wallet.": "Amount not yet locked, please check your WebLN wallet.",
"You can close now your WebLN wallet popup.": "You can close now your WebLN wallet popup.",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "ต้องการร้องเรียนหรือไม่?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "ทีมงาน RoboSats จะตรวจสอบคำแถลงและหลักฐานที่ได้รับ คุณจะต้องให้ข้อมูลเหตุการณ์ทั้งหมดอย่างละเอียดเนื่องจากทีมงานไม่สามารถอ่านข้อความในแชทซื้อขายได้ และคุณจะต้องระบุช่องทางสำหรับติดต่อคุณกลับมาในคำแถลงด้วย เหรียญที่ถูกกักกันไว้เพื่อซื้อขายจะถูกส่งให้ผู้ชนะการร้องเรียน และผู้แพ้จะสูญเสียเหรียญที่กักกันใน bond",
"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.": "คุณต้องทำการส่งออกบันทึกข้อความแชทไว้ด้วย เนื่องจากทีมงานอาจร้องขอบทสนาที่ถูกนำออกเพื่อใช้ในการแก้ไข้ปัญหา และคุณจะต้องรับผิดชอบการเก็บรักษามันไว้ด้วย",
"Disagree": "ไม่ตกลง",
"Agree and open dispute": "ตกลงและดำเนินการร้องเรียน",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "Confirm you sent {{amount}} {{currencyCode}}?",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "นี่คือ hold invoice มันจะกักกันเหรียญของคุณเอาไว้ใน wallet ของคุณและจะดำเนินการตัดจ่ายเหรียญเมื่อคุณยกเลิกรายการหรือแพ้ในกระบวนการร้องเรียน",
"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}}.": "นี่คือ hold invoice มันจะกักกันเหรียญของคุณเอาไว้ใน wallet ของคุณ เหรียญจะถูกส่งให้ผู้ซื้อเมื่อคุณยืนยันว่าคุณได้รับเงินเฟียต {{currencyCode}} ครบถ้วนแล้ว",
"Copy to clipboard": "คัดลอกไปยังคลิปบอร์ด",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "เริ่มรายการใหม่",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "เริ่มรายการใหม่",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "เหตุผลที่ล้มเหลว",
"Retrying!": "กำลังลองใหม่!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "Invoice หมดอายุ หรือเราได้ลองจ่ายเหรียญครบ 3 ครั้งแล้ว กรุณาส่ง invoice ใหม่ให้เรา",
"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 จะลองจ่ายเหรียญให้ invoice ของท่าน 3 ครั้ง ห่างกันครั้งละ 1 นาที หากครบ 3 ครั้งแล้วยังล้มเหลวคุณจะสามารถส่ง invoice มาใหม่ได้ ตรวจสอบว่าคุณมี inbound liquidity เพียงพอ และ lightning nodes จะต้องออนไลน์จึงจะรับเหรียญได้",
"Next attempt in": "ลองใหม่ภายใน",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "กรุณาส่งคำแถลงของคุณ อธิบายรายละเอียดและเหตุการณ์ที่เกิดขึ้นทั้งหมดอย่างครบถ้วนและชัดเจนและแสดงหลักฐานที่จำเป็นให้เรา คุณจะต้องระบุช่องทางการติดต่อกลับ เช่น อีเมลล์ชั่วคราว, XMPP, หรือ telegram username เพื่อให้ทีมงานติดตามเรื่องได้ การดำเนินการกับข้อร้องเรียนจะทำโดยคน กรุณาให้การสนับสนุนทีมงานให้มากที่สุดเพื่อให้ได้ผลลัพธ์ที่เหมาะสมที่สุด (คำแถลงไม่เกิน 5000 ตัวอักษร)",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "เสียใจด้วย คุณแพ้กระบวนการร้องเรียน ถ้าคุณคิดว่ามีข้อผิดพลาดเกิดขึ้นคุณสามารถเปิดการร้องเรียนใหม่ได้ผ่านทาง robosats@protonmail.com แต่จะมีโอกาสที่เรื่องร้องเรียนจะได้รับการตรวจสอบซ้ำอีกครั้งน้อยมาก",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "กรุณาส่งคำแถลงของคุณ อธิบายรายละเอียดและเหตุการณ์ที่เกิดขึ้นทั้งหมดอย่างครบถ้วนและชัดเจนและแสดงหลักฐานที่จำเป็นให้เรา คุณจะต้องระบุช่องทางการติดต่อกลับ เช่น อีเมลล์ชั่วคราว, XMPP, หรือ telegram username เพื่อให้ทีมงานติดตามเรื่องได้ การดำเนินการกับข้อร้องเรียนจะทำโดยคน กรุณาให้การสนับสนุนทีมงานให้มากที่สุดเพื่อให้ได้ผลลัพธ์ที่เหมาะสมที่สุด (คำแถลงไม่เกิน 5000 ตัวอักษร)",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats กำลังจ่ายเหรียญให้ lightning invoice ของท่าน lightning nodes จะต้องออนไลน์เพื่อรับเหรียญ",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "เสียใจด้วย คุณแพ้กระบวนการร้องเรียน ถ้าคุณคิดว่ามีข้อผิดพลาดเกิดขึ้นคุณสามารถเปิดการร้องเรียนใหม่ได้ผ่านทาง robosats@protonmail.com แต่จะมีโอกาสที่เรื่องร้องเรียนจะได้รับการตรวจสอบซ้ำอีกครั้งน้อยมาก",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats กำลังจ่ายเหรียญให้ lightning invoice ของท่าน lightning nodes จะต้องออนไลน์เพื่อรับเหรียญ",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "ถ้ารายการซื้อขายของคุณไม่มีใครรับ คุณจะได้รับการปลดล็อกเหรียญที่กักกันใน bond ของคุณคืนโดยอัตโนมัติ",
"Public orders for {{currencyCode}}": "รายการสำหรับ {{currencyCode}}",
"Pause the public order": "ระงับการประกาศรายการ",
"Premium rank": "ลำดับค่าพรีเมี่ยม",
"Among public {{currencyCode}} orders (higher is cheaper)": "สำหรับรายการที่เป็น {{currencyCode}} (ยิ่งสูงยิ่งถูก)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "Thank you! RoboSats loves you too",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats จะดีขึ้นเมื่อมีสภาพคล่องและผู้ใช้งานมากขึ้น ช่วยกันชวนเพื่อนของคุณมาใช้ Robosats!",
"Thank you for using Robosats!": "ขอบคุณที่ใช้งาน Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "Sending coins to",
"Start Again": "Start Again",
"Renew": "Renew",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "To open a dispute you need to wait",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.",
"Wait for the seller to confirm he has received the payment.": "รอผู้ขายยืนยันว่าได้รับเงินเฟียตแล้ว",
"Open Dispute": "ร้องเรียน",
"Confirm {{amount}} {{currencyCode}} sent": "Confirm {{amount}} {{currencyCode}} sent",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "Confirm {{amount}} {{currencyCode}} received",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "โปรดรอคู่ค้าทำการกักกันเหรียญใน bond ถ้าเขากักกันเหรียญไม่ทันในเวลาที่กำหนด รายการจะถูกประำกาศใหม่",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "โปรดรอคู่ค้าทำการกักกันเหรียญใน bond ถ้าเขากักกันเหรียญไม่ทันในเวลาที่กำหนด รายการจะถูกประำกาศใหม่",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "เรากำลังรอผู้ขายวางเหรียญที่นำมาขาย",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "กรุณารอซักครู่ ถ้าผู้ขายไม่ยอมวางเหรียญ คุณจะได้รับเหรียญใน bond คืนพร้อมค่าชดเชย (สามารถตรวจสอบได้ในส่วนของรางวัลในโปรไฟล์ของคุณ)",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "เรากำลังรอผู้ซื้อส่ง invoice รับเหรียญให้เรา หลังจากนั้นคุณจะได้แชทคุยกับผู้ซื้อเพื่อชี้แจงรายละเอียดสำหรับการชำระเงินเฟียต",
"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).": "กรุณารออีกซักครู่ ถ้าผู้ซื้อไม่ให้ความร่วมมือ คุณจะได้รับเหรียญที่นำมาวางและ bond คืนโดยอัตโนมัติ และคุณจะได้รับเงินชดเชยด้วย (สามารถตรวจสอบได้ในส่วนของรางวัลในโปรไฟล์ของท่าน)",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "เราได้รับคำแถลงจากทั้งสองฝ่ายแล้ว กรุณารอทีมงานดำเนินการแก้ไขเรื่องร้องเรียน ถ้าคุณมีข้อสงสัยเกี่ยวกับสถานะของข้อร้องเรียนหรือต้องการส่งข้อมูลเพิ่มเติม กรุณาติดต่อทาง robosats@protonmail.com ถ้าคุณไม่ได้ระบุช่องทางการติดต่อหรือไม่แน่ใจว่าระบุถูกต้องหรือไม่ ขอให้คุณส่งมาให้เราตามอีเมลล์นี้ทันที",
"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).": "กรุณาจดบันทึกข้อมูลต่อไปนี้เพื่อใช้ในการระบุรายการซื้อขายที่มีการร้องเรียน: รหัสรายการซื้อขาย, รหัสธุรกรรม (payment hashes) ของการกักกันเหรียญใน bond (ตรวจสอบได้ใน lightning wallet ของคุณ), จำนวน satoshis ใน bond รวมทั้งชื่อเล่นของโรบอทของคุณเพื่อให้คุณสามารถระบุตัวตนของคุณได้เมื่อทำการติดต่อกับทีมงาน",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "ก่อนที่คุณจะส่งเงิน {{amountFiat}} {{currencyCode}} เราต้องการทำให้แน่ใจได้ว่าคุณสามารถรับเหรียญ BTC ได้",
"Lightning": "Lightning",
"Onchain": "Onchain",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "คุณสามารถรับเหรียญที่ได้จากการแก้ไขข้อร้องเรียนได้ที่รางวัลในโปรไฟล์ของคุณ (เหรียญที่ถูกกักกันไว้ในกระบวนการซื้อขาย) และถ้าหากต้องการความช่วยเหลือเพิ่มเติม สามารถติดต่อผ่านทาง robosats@protonmail.com (หรือผ่านช่องทางติดต่อที่คุณได้ให้เราไว้ก่อนหน้านี้).",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "คุณสามารถรับเหรียญที่ได้จากการแก้ไขข้อร้องเรียนได้ที่รางวัลในโปรไฟล์ของคุณ (เหรียญที่ถูกกักกันไว้ในกระบวนการซื้อขาย) และถ้าหากต้องการความช่วยเหลือเพิ่มเติม สามารถติดต่อผ่านทาง robosats@protonmail.com (หรือผ่านช่องทางติดต่อที่คุณได้ให้เราไว้ก่อนหน้านี้).",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "รายการของคุณไม่ได้มีการประกาศอยู่ โรบอทอื่นจะไม่สามารถมองเห็นหรือรับรายการซื้อขายดังกล่าวได้คุณสามารถเลิกระงับการประกาศรายการตอนไหนก็ได้",
"Unpause Order": "เลิกระงับการประกาศรายการ",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "เรากำลังรอคำแถลงจากคู่ค้าของคุณ ถ้าคุณมีข้อสงสัยเกี่ยวกับสถานะของข้อร้องเรียนหรือต้องการส่งข้อมูลเพิ่มเติม กรุณาติดต่อทาง robosats@protonmail.com",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "เรากำลังรอคำแถลงจากคู่ค้าของคุณ ถ้าคุณมีข้อสงสัยเกี่ยวกับสถานะของข้อร้องเรียนหรือต้องการส่งข้อมูลเพิ่มเติม กรุณาติดต่อทาง robosats@protonmail.com",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats coordinator will do a swap and send the Sats to your onchain address.",
"Swap fee": "ค่าธรรมเนียมการสลับเปลี่ยน",
"Final amount you will receive": "จำนวนเหรียญที่คุณจะได้รับจริงๆ",
"Bitcoin Address": "Bitcoin Address",
"Invalid": "ไม่ถูกต้อง",
"Mining Fee": "ค่าธรรมเนียมการขุด",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "ส่งคำแถลงสำหรับข้อร้องเรียน",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.",
"Attach chat logs": "Attach chat logs",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "Advanced options",
"Routing Budget": "Routing Budget",
"Use Lnproxy": "Use Lnproxy",
@ -547,14 +552,14 @@
"Wrapped invoice": "Wrapped invoice",
"Payout Lightning Invoice": "Lightning Invoice สำหรับรับเหรียญ",
"Wrap": "Wrap",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "Dark",
"Light": "Light",
"Fiat": "Fiat",
"Swaps": "Swaps",
"Mainnet": "Mainnet",
"Testnet": "Testnet",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - Simple and Private Bitcoin Exchange",
"✅ Bond!": "✅ Bond!",
"✅ Escrow!": "✅ Escrow!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "如果现在取消订单,你将失去保证金。",
"Confirm Cancel": "确认取消",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "合作取消订单?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "交易托管已发布。只有当挂单方和吃单方都同意取消时,才能取消订单。",
"Your peer has asked for cancellation": "你的对等方请求取消",
"Accept Cancelation": "接受取消",
"Ask for Cancel": "要求取消",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "没有收到发票,请查看你的 WebLN 钱包。",
"Amount not yet locked, please check your WebLN wallet.": "金额还未锁定,请查看你的 WebLN 钱包。",
"You can close now your WebLN wallet popup.": "现在可以关闭你的 WebLN 钱包弹出窗口。",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "你想开始争议吗?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "RoboSats 工作人员将检查所提供的声明和证据。你需要建立一个完整的案例,因为工作人员无法阅读聊天内容。最好在你的声明中提供抛弃式的联系方式。交易托管中的聪将被发送给争议获胜者,而争议失败者将失去保证金。",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "确保导出聊天记录。工作人员可能会要求你提供所导出的聊天记录 JSON 以解决差异。存储记录是你的责任。",
"Disagree": "不同意",
"Agree and open dispute": "同意并开始争议",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "确认你已发送{{amount}} {{currencyCode}}",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "确认你已发送{{amount}} {{currencyCode}}将允许你的对等方结算交易。如果你还没有付款但仍然虚假确认,则有可能失去你的保证金。",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "这是一张 hold 发票,它会在你的钱包内冻结。只有当你取消或争议失败的时候才会被收取。",
"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}}.": "这是一张 hold 发票,它会在你的钱包内冻结。当你确认收到 {{currencyCode}} 后它会被释放给买方。",
"Copy to clipboard": "复制到剪贴板",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "延续订单",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "延续订单",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "失败原因:",
"Retrying!": "重试中!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "你的发票已到期或已进行超过3次付款尝试。提交一张新的发票。",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 将尝试支付你的发票3次每次尝试间隔1分钟。如果它一再失败你将能够提交新的发票。检查你是否有足够的入站流动性。请注意闪电节点必须在线才能接收付款。",
"Next attempt in": "下一次尝试",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "请提供你的声明。清楚具体地说明发生了什么,并提供必要的证据。你必须提供联系方式:抛弃式电子邮件、 XMPP 或 Telegram 用户名以跟工作人员联络。争议由真的机器人(亦称真人)自行解决,因此请尽可能提供帮助以确保公平的结果。最多 5000 字符。",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "你的争议不幸地失败了。如果你认为这是个错误,你可以通过电子邮件向 robosats@protonmail.com 要求重新打开此案例。但是,再次调查的可能性很小。",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "请提供你的声明。清楚具体地说明发生了什么,并提供必要的证据。你必须提供联系方式:抛弃式电子邮件、 XMPP 或 Telegram 用户名以跟工作人员联络。争议由真的机器人(亦称真人)自行解决,因此请尽可能提供帮助以确保公平的结果。最多 5000 字符。",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 正在尝试支付你的闪电发票。请注意,闪电节点必须在线才能接收付款。",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "你的争议不幸地失败了。如果你认为这是个错误,你可以通过电子邮件向 robosats@protonmail.com 要求重新打开此案例。但是,再次调查的可能性很小。",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 正在尝试支付你的闪电发票。请注意,闪电节点必须在线才能接收付款。",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "如果订单到期前未执行,你的保证金将退还给你(无需采取任何行动)。",
"Public orders for {{currencyCode}}": "{{currencyCode}} 的公开订单",
"Pause the public order": "暂停公开订单",
"Premium rank": "溢价排行",
"Among public {{currencyCode}} orders (higher is cheaper)": "在公开的 {{currencyCode}} 订单中(越高排位越便宜)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "谢谢RoboSats 也爱你",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats 会随着更多的流动性和更高的用户数量而变得更好。把 RoboSats 推荐给你的比特币朋友吧!",
"Thank you for using Robosats!": "感谢你使用 Robosats",
@ -496,47 +500,48 @@
"Sending coins to": "将比特币发送到",
"Start Again": "重新开始",
"Renew": "延续",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "要打开争议的话你需要等",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "打个招呼!请保持你的回答有用且简洁。让他们知道如何向你发送 {{amount}} {{currencyCode}}。",
"Wait for the seller to confirm he has received the payment.": "等待卖方确认他已收到付款。",
"Open Dispute": "开始争议",
"Confirm {{amount}} {{currencyCode}} sent": "确认已发送 {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "确认已收到 {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "请等待吃单方锁定保证金。如果吃单方没有及时锁定保证金,订单将再次公开。",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "请等待吃单方锁定保证金。如果吃单方没有及时锁定保证金,订单将再次公开。",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "我们正在等待卖方锁定交易金额。",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "请稍等片刻。如果卖方不存款,你将自动取回保证金。此外,你将获得补偿(查看你个人资料中的奖励)。",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "我们正在等待买方发布闪电发票。一旦发布,你将能够直接沟通法币付款详情。",
"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).": "请稍等片刻。如果买方不配合,你将自动取回抵押和保证金。此外,你将获得补偿(查看你个人资料中的奖励)。",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "双方声明均已收到,请等待工作人员解决争议。如果你对争议的状况有疑问或需要添加信息,请联系 robosats@protonmail.com。如果你没有提供联系方式或者不确定你是否正确填了信息请立即联系我们。",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "请保存识别你的订单和付款所需的信息:订单 ID保证金或托管的支付散列值查看你的闪电钱包聪的确切金额和机器人昵称。你必须通过电子邮件或其他联系方式表明自己是参与此交易的用户。",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "在让你发送 {{amountFiat}} {{currencyCode}} 之前,我们想确认你能感受到比特币。",
"Lightning": "闪电",
"Onchain": "链上",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "你可以从你的个人资料下的奖励中索取解决争议的金额(托管和保证金)。如果工作人员可以提供任何帮助,请随时联系 robosats@protonmail.com (或通过你提供的抛弃式联系方式)。",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "你可以从你的个人资料下的奖励中索取解决争议的金额(托管和保证金)。如果工作人员可以提供任何帮助,请随时联系 robosats@protonmail.com (或通过你提供的抛弃式联系方式)。",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "你的公开订单已暂停。目前其他机器人无法看到或接受你的订单。你随时可以选择取消暂停。",
"Unpause Order": "取消暂停订单",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "我们在等待你的交易对等方提交声明。如果你对争议的状态有疑问或想要添加信息,请联系 robosats@protonmail.com。",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "我们在等待你的交易对等方提交声明。如果你对争议的状态有疑问或想要添加信息,请联系 robosats@protonmail.com。",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats 协调器会执行交换并将聪发到你的链上地址。",
"Swap fee": "交换费",
"Final amount you will receive": "你将收到的最终金额",
"Bitcoin Address": "比特币地址",
"Invalid": "无效",
"Mining Fee": "挖矿费",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "提交争议声明",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "附加聊天记录有助于争议解决过程并增加透明度。但可能会损害你的隐私。",
"Attach chat logs": "附加聊天记录",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "高级选项",
"Routing Budget": "路由预算",
"Use Lnproxy": "使用 Lnproxy (闪电代理)",
@ -547,14 +552,14 @@
"Wrapped invoice": "已包裹的发票",
"Payout Lightning Invoice": "闪电支付发票",
"Wrap": "包裹",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "深色",
"Light": "浅色",
"Fiat": "法币",
"Swaps": "交换",
"Mainnet": "主网",
"Testnet": "测试网",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - 简单且隐秘的比特币交易所",
"✅ Bond!": "✅ 保证金!",
"✅ Escrow!": "✅ 托管!",

View File

@ -445,50 +445,54 @@
"If the order is cancelled now you will lose your bond.": "如果現在取消訂單,你將失去保證金。",
"Confirm Cancel": "確認取消",
"#46": "Phrases in components/TradeBox/Dialogs/ConfirmCollabCancel.tsx",
"Revert the confirmation of fiat sent?": "Revert the confirmation of fiat sent?",
"READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.": "READ. In case your payment to the seller has been blocked and it is absolutely impossible to finish the trade, you can revert your confirmation of \"Fiat sent\". Do so only if you and the seller have ALREADY AGREED in the chat to proceed to a collaborative cancellation. After confirming, the \"Collaborative cancel\" button will be visible again. Only click this button if you know what you are doing. First time users of RoboSats are highly discouraged from performing this action! Make 100% sure your payment has failed and the amount is in your account.",
"Wait ({{time}})": "Wait ({{time}})",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"Collaborative cancel the order?": "合作取消訂單?",
"The trade escrow has been posted. The order can be cancelled only if both, maker and taker, agree to cancel.": "交易託管已發布。只有當掛單方和吃單方都同意取消時,才能取消訂單。",
"Your peer has asked for cancellation": "你的對等方請求取消",
"Accept Cancelation": "接受取消",
"Ask for Cancel": "要求取消",
"#47": "Phrases in components/TradeBox/Dialogs/WebLN.tsx",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"WebLN": "WebLN",
"Invoice not received, please check your WebLN wallet.": "沒有收到發票,請查看你的 WebLN 錢包。",
"Amount not yet locked, please check your WebLN wallet.": "金額還未鎖定,請查看你的 WebLN 錢包。",
"You can close now your WebLN wallet popup.": "現在可以關閉你的 WebLN 錢包彈出窗口。",
"#48": "Phrases in components/TradeBox/Dialogs/ConfirmDispute.tsx",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"Do you want to open a dispute?": "你想開始爭議嗎?",
"The RoboSats staff will examine the statements and evidence provided. You need to build a complete case, as the staff cannot read the chat. It is best to provide a burner contact method with your statement. The satoshis in the trade escrow will be sent to the dispute winner, while the dispute loser will lose the bond.": "RoboSats 工作人員將檢查所提供的聲明和證據。你需要建立一個完整的案例,因為工作人員無法閱讀聊天內容。最好在你的聲明中提供拋棄式的聯繫方式。交易託管中的聰將被發送給爭議獲勝者,而爭議失敗者將失去保證金。",
"Make sure to EXPORT the chat log. The staff might request your exported chat log JSON in order to solve discrepancies. It is your responsibility to store it.": "確保導出聊天記錄。工作人員可能會請求你提供所導出的聊天紀錄 JSON 以解決差異。存儲紀錄是你的責任。",
"Disagree": "不同意",
"Agree and open dispute": "同意並開始爭議",
"#49": "Phrases in components/TradeBox/Prompts/LockInvoice.tsx",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"Confirm you sent {{amount}} {{currencyCode}}?": "確認你已發送{{amount}} {{currencyCode}}",
"Confirming that you sent {{amount}} {{currencyCode}} will allow your peer to finalize the trade. If you have not yet sent it and you still proceed to falsely confirm, you risk losing your bond.": "確認你已發送{{amount}} {{currencyCode}}將允許你的對等方結算交易。如果你還沒有付款但仍然虛假確認,則可能失去你的保證金。",
"#50": "Phrases in components/TradeBox/Prompts/Expired.tsx",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"This is a hold invoice, it will freeze in your wallet. It will be charged only if you cancel or lose a dispute.": "這是一張 hold 發票,它會在你的錢包內凍結。只有當你取消或爭議失败的時候才會被收取。",
"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}}.": "這是一張 hold 發票,它會在你的錢包內凍結。當你確認收到 {{currencyCode}} 後它會被釋放給買方。",
"Copy to clipboard": "複製到剪貼板",
"#51": "Phrases in components/TradeBox/Prompts/RoutingFailed.tsx",
"Renew Order": "延續訂單",
"#52": "Phrases in components/TradeBox/Prompts/Dispute.tsx",
"Renew Order": "延續訂單",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Failure reason:": "失敗原因:",
"Retrying!": "重試中!",
"Your invoice has expired or more than 3 payment attempts have been made. Submit a new invoice.": "你的發票已到期或已進行超過3次付款嘗試。提交一張新的發票。",
"RoboSats will try to pay your invoice 3 times with a one minute pause in between. If it keeps failing, you will be able to submit a new invoice. Check whether you have enough inbound liquidity. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 將嘗試支付你的發票3次每次嘗試間隔1分鐘。如果它一再失敗你將能夠提交新的發票。檢查你是否有足夠的入站流動性。請注意閃電節點必須在線才能接收付款。",
"Next attempt in": "下一次嘗試",
"#53": "Phrases in components/TradeBox/Prompts/DisputeLoser.tsx",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "請提交你的聲明。清楚具體地說明發生了什麼並提供必要的證據。你必須提供聯繫方式拋棄式電子郵件、XMPP 或 Telegram 用戶名以跟工作人員聯絡。爭議由真的機器人(亦称真人)自行解決,因此請盡可能提供幫助以確保公平的結果。最多 5000 字符。",
"#54": "Phrases in components/TradeBox/Prompts/SendingSats.tsx",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "你的爭議不幸地失敗了。如果你認為這是個錯誤,你可以通過電子郵件向 robosats@protonmail.com 要求重新打開此案例。但是,再次調查的可能性很小。",
"Please, submit your statement. Be clear and specific about what happened and provide the necessary evidence. You MUST provide a contact method: burner email, XMPP or telegram username to follow up with the staff. Disputes are solved at the discretion of real robots (aka humans), so be as helpful as possible to ensure a fair outcome. Max 5000 chars.": "請提交你的聲明。清楚具體地說明發生了什麼並提供必要的證據。你必須提供聯繫方式拋棄式電子郵件、XMPP 或 Telegram 用戶名以跟工作人員聯絡。爭議由真的機器人(亦称真人)自行解決,因此請盡可能提供幫助以確保公平的結果。最多 5000 字符。",
"#55": "Phrases in components/TradeBox/Prompts/PublicWait.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 正在嘗試支付你的閃電發票。請注意,閃電節點必須在線才能接收付款。",
"Unfortunately you have lost the dispute. If you think this is a mistake you can ask to re-open the case via email to robosats@protonmail.com. However, chances of it being investigated again are low.": "你的爭議不幸地失敗了。如果你認為這是個錯誤,你可以通過電子郵件向 robosats@protonmail.com 要求重新打開此案例。但是,再次調查的可能性很小。",
"#56": "Phrases in components/TradeBox/Prompts/Successful.tsx",
"RoboSats is trying to pay your lightning invoice. Remember that lightning nodes must be online in order to receive payments.": "RoboSats 正在嘗試支付你的閃電發票。請注意,閃電節點必須在線才能接收付款。",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"If the order expires untaken, your bond will return to you (no action needed).": "如果訂單到期前未執行,你的保證金將退還給你(無需採取任何行動)。",
"Public orders for {{currencyCode}}": "{{currencyCode}} 的公開訂單",
"Pause the public order": "暫停公開訂單",
"Premium rank": "溢價排行",
"Among public {{currencyCode}} orders (higher is cheaper)": "在公開的 {{currencyCode}} 訂單中(越高排位越便宜)",
"#57": "Phrases in components/TradeBox/Prompts/Chat.tsx",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"Thank you! RoboSats loves you too": "謝謝RoboSats 也愛你",
"RoboSats gets better with more liquidity and users. Tell a bitcoiner friend about Robosats!": "RoboSats 會隨著更多的流動性和更高的用戶数量而變得更好。把 RoboSats 推薦給你的比特幣朋友吧!",
"Thank you for using Robosats!": "感謝你使用 Robosats!",
@ -496,47 +500,48 @@
"Sending coins to": "將比特幣發送到",
"Start Again": "重新開始",
"Renew": "延續",
"#58": "Phrases in components/TradeBox/Prompts/TakerFound.tsx",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"To open a dispute you need to wait": "要打開爭議的話你需要等",
"Say hi! Be helpful and concise. Let them know how to send you {{amount}} {{currencyCode}}.": "打個招呼!請保持你的回答有用且簡潔。讓他們知道如何向你發送 {{amount}} {{currencyCode}}。",
"Wait for the seller to confirm he has received the payment.": "等待賣方確認他已收到付款。",
"Open Dispute": "開始爭議",
"Confirm {{amount}} {{currencyCode}} sent": "確認已發送 {{amount}} {{currencyCode}}",
"Payment failed?": "Payment failed?",
"Confirm {{amount}} {{currencyCode}} received": "確認已收到 {{amount}} {{currencyCode}}",
"#59": "Phrases in components/TradeBox/Prompts/EscrowWait.tsx",
"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.": "請等待吃單方鎖定保證金。如果吃單方沒有及時鎖定保證金,訂單將再次公開。",
"#60": "Phrases in components/TradeBox/Prompts/PayoutWait.tsx",
"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.": "請等待吃單方鎖定保證金。如果吃單方沒有及時鎖定保證金,訂單將再次公開。",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"We are waiting for the seller to lock the trade amount.": "我們正在等待賣方鎖定交易金額。",
"Just hang on for a moment. If the seller does not deposit, you will get your bond back automatically. In addition, you will receive a compensation (check the rewards in your profile).": "請稍等片刻。如果賣方不存款,你將自動取回保證金。此外,你將獲得補償(查看你個人資料中的獎勵)。",
"#61": "Phrases in components/TradeBox/Prompts/DisputeWaitResolution.tsx",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"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.": "我們正在等待買方發布閃電發票。 一旦發布,你將能夠直接溝通法幣付款詳情。",
"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).": "請稍等片刻。如果買方不配合,你將自動取回交易抵押和保證金。此外,你將獲得補償(查看你個人資料中的獎勵)。",
"#62": "Phrases in components/TradeBox/Prompts/Payout.tsx",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"Both statements have been received, wait for the staff to resolve the dispute. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com. If you did not provide a contact method, or are unsure whether you wrote it right, write us immediately.": "雙方聲明均已收到請等待工作人員解決爭議。如果你對爭議的狀態有疑問或想要添加信息請聯繫robosats@protonmail.com。如果你沒有提供聯繫方式或者不確定你是否正確填寫了信息請立即聯繫我們。",
"Please, save the information needed to identify your order and your payments: order ID; payment hashes of the bonds or escrow (check on your lightning wallet); exact amount of satoshis; and robot nickname. You will have to identify yourself as the user involved in this trade via email (or other contact methods).": "請保存識別你的訂單和付款所需的信息:訂單 ID 保證金或託管的支付散列值(查看你的閃電錢包);聰的確切金額;和機器人暱稱。 你必須通過電子郵件(或其他聯繫方式)表明自己是參與此交易的用戶。",
"#63": "Phrases in components/TradeBox/Prompts/DisputeWinner.tsx",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"Before letting you send {{amountFiat}} {{currencyCode}}, we want to make sure you are able to receive the BTC.": "在讓你發送 {{amountFiat}} {{currencyCode}} 之前,我們想確認你能夠收到比特幣。",
"Lightning": "閃電",
"Onchain": "鏈上",
"#64": "Phrases in components/TradeBox/Prompts/Paused.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "你可以從你的個人資料下的獎勵中索取解決爭議的金額(託管和保證金)。如果工作人員可以提供任何幫助,請隨時聯繫 robosats@protonmail.com或通過你提供的拋棄式聯繫方式。",
"#65": "Phrases in components/TradeBox/Prompts/DisputeWaitPeer.tsx",
"You can claim the dispute resolution amount (escrow and fidelity bond) from your profile rewards. If there is anything the staff can help with, do not hesitate to contact to robosats@protonmail.com (or via your provided burner contact method).": "你可以從你的個人資料下的獎勵中索取解決爭議的金額(託管和保證金)。如果工作人員可以提供任何幫助,請隨時聯繫 robosats@protonmail.com或通過你提供的拋棄式聯繫方式。",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"Your public order has been paused. At the moment it cannot be seen or taken by other robots. You can choose to unpause it at any time.": "你的公開訂單已暫停。目前其他機器人無法看到或接受你的訂單。你隨時可以選擇取消暫停。",
"Unpause Order": "取消暫停訂單",
"#66": "Phrases in components/TradeBox/Forms/OnchainPayout.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "我們在等待你的交易對等方提交聲明。如果你對爭議的狀態有疑問或想要添加信息請聯繫robosats@protonmail.com。",
"#67": "Phrases in components/TradeBox/Forms/Dispute.tsx",
"We are waiting for your trade counterpart statement. If you are hesitant about the state of the dispute or want to add more information, contact robosats@protonmail.com.": "我們在等待你的交易對等方提交聲明。如果你對爭議的狀態有疑問或想要添加信息請聯繫robosats@protonmail.com。",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"RoboSats coordinator will do a swap and send the Sats to your onchain address.": "RoboSats 協調器會執行交換並將聰發送到你的鏈上地址。",
"Swap fee": "交換費",
"Final amount you will receive": "你將收到的最終金額",
"Bitcoin Address": "比特幣地址",
"Invalid": "無效",
"Mining Fee": "挖礦費",
"#68": "Phrases in components/TradeBox/Forms/LightningPayout.tsx",
"#69": "Phrases in components/SettingsForm/index.tsx",
"Submit dispute statement": "提交爭議聲明",
"Attaching chat logs helps the dispute resolution process and adds transparency. However, it might compromise your privacy.": "附加聊天記錄有助於爭議解決過程並增加透明度。但可能會損害你的隱私。",
"Attach chat logs": "附加聊天記錄",
"#69": "Phrases in components/SettingsForm/index.tsx",
"#70": "Phrases in components/Notifications/index.tsx",
"Advanced options": "高級選項",
"Routing Budget": "路由預算",
"Use Lnproxy": "使用 Lnproxy (閃電代理)",
@ -547,14 +552,14 @@
"Wrapped invoice": "已包裹的發票",
"Payout Lightning Invoice": "閃電支付發票",
"Wrap": "包裹",
"#70": "Phrases in components/Notifications/index.tsx",
"#71": "Phrases in components/Notifications/index.tsx",
"Dark": "深色",
"Light": "淺色",
"Fiat": "法幣",
"Swaps": "交換",
"Mainnet": "主網",
"Testnet": "測試網",
"#71": "Phrases in components/Notifications/index.tsx",
"#72": "Phrases in components/Notifications/index.tsx",
"RoboSats - Simple and Private Bitcoin Exchange": "RoboSats - 簡單且隱密的比特幣交易所",
"✅ Bond!": "✅ 保證金!",
"✅ Escrow!": "✅ 託管!",