replace variations of btc with xmr in app resources

This commit is contained in:
woodser 2023-10-09 15:52:55 -04:00
parent fe543e7c58
commit 222af4768b
62 changed files with 2077 additions and 2101 deletions

View File

@ -79,7 +79,7 @@ public class Config {
public static final String NODE_PORT = "nodePort";
public static final String USE_LOCALHOST_FOR_P2P = "useLocalhostForP2P";
public static final String MAX_CONNECTIONS = "maxConnections";
public static final String SOCKS_5_PROXY_BTC_ADDRESS = "socks5ProxyBtcAddress";
public static final String SOCKS_5_PROXY_XMR_ADDRESS = "socks5ProxyXmrAddress";
public static final String SOCKS_5_PROXY_HTTP_ADDRESS = "socks5ProxyHttpAddress";
public static final String USE_TOR_FOR_XMR = "useTorForXmr";
public static final String TORRC_FILE = "torrcFile";
@ -169,7 +169,7 @@ public class Config {
public final List<String> banList;
public final boolean useLocalhostForP2P;
public final int maxConnections;
public final String socks5ProxyBtcAddress;
public final String socks5ProxyXmrAddress;
public final String socks5ProxyHttpAddress;
public final File torrcFile;
public final String torrcOptions;
@ -418,8 +418,8 @@ public class Config {
.ofType(int.class)
.defaultsTo(12);
ArgumentAcceptingOptionSpec<String> socks5ProxyBtcAddressOpt =
parser.accepts(SOCKS_5_PROXY_BTC_ADDRESS, "A proxy address to be used for Bitcoin network.")
ArgumentAcceptingOptionSpec<String> socks5ProxyXmrAddressOpt =
parser.accepts(SOCKS_5_PROXY_XMR_ADDRESS, "A proxy address to be used for Bitcoin network.")
.withRequiredArg()
.describedAs("host:port")
.defaultsTo("");
@ -684,7 +684,7 @@ public class Config {
this.banList = options.valuesOf(banListOpt);
this.useLocalhostForP2P = !this.baseCurrencyNetwork.isMainnet() && options.valueOf(useLocalhostForP2POpt);
this.maxConnections = options.valueOf(maxConnectionsOpt);
this.socks5ProxyBtcAddress = options.valueOf(socks5ProxyBtcAddressOpt);
this.socks5ProxyXmrAddress = options.valueOf(socks5ProxyXmrAddressOpt);
this.socks5ProxyHttpAddress = options.valueOf(socks5ProxyHttpAddressOpt);
this.msgThrottlePerSec = options.valueOf(msgThrottlePerSecOpt);
this.msgThrottlePer10Sec = options.valueOf(msgThrottlePer10SecOpt);

View File

@ -237,7 +237,7 @@ public class WalletAppSetup {
private String getXmrNetworkAsString() {
String postFix;
if (config.ignoreLocalXmrNode)
postFix = " " + Res.get("mainView.footer.localhostBitcoinNode");
postFix = " " + Res.get("mainView.footer.localhostMoneroNode");
else if (preferences.getUseTorForXmr().isUseTorForXmr())
postFix = " " + Res.get("mainView.footer.usingTor");
else

View File

@ -109,9 +109,9 @@ public class Res {
public static String get(String key) {
try {
return resourceBundle.getString(key)
.replace("BTC", baseCurrencyCode)
.replace("Bitcoin", baseCurrencyName)
.replace("bitcoin", baseCurrencyNameLowerCase);
.replace("XMR", baseCurrencyCode)
.replace("Monero", baseCurrencyName)
.replace("monero", baseCurrencyNameLowerCase);
} catch (MissingResourceException e) {
log.warn("Missing resource for key: {}", key);
if (DevEnv.isDevMode()) {

View File

@ -97,7 +97,7 @@ public class XmrValidator extends NumberValidator {
try {
final BigInteger amount = HavenoUtils.parseXmr(input);
if (maxTradeLimit != null && amount.compareTo(maxTradeLimit) > 0)
return new ValidationResult(false, Res.get("validation.btc.exceedsMaxTradeLimit", HavenoUtils.formatXmr(maxTradeLimit, true)));
return new ValidationResult(false, Res.get("validation.xmr.exceedsMaxTradeLimit", HavenoUtils.formatXmr(maxTradeLimit, true)));
else
return new ValidationResult(true);
} catch (Throwable t) {

View File

@ -1,17 +0,0 @@
# nodeaddress.onion:port [(@owner,@backup)]
wizseedscybbttk4bmb2lzvbuk2jtect37lcpva4l3twktmkzemwbead.onion:8000 (@wiz)
wizseed3d376esppbmbjxk2fhk2jg5fpucddrzj2kxtbxbx4vrnwclad.onion:8000 (@wiz)
wizseed7ab2gi3x267xahrp2pkndyrovczezzb46jk6quvguciuyqrid.onion:8000 (@wiz)
devinv3rhon24gqf5v6ondoqgyrbzyqihzyouzv7ptltsewhfmox2zqd.onion:8000 (@devinbileck)
devinsn2teu33efff62bnvwbxmfgbfjlgqsu3ad4b4fudx3a725eqnyd.onion:8000 (@devinbileck)
devinsn3xuzxhj6pmammrxpydhwwmwp75qkksedo5dn2tlmu7jggo7id.onion:8000 (@devinbileck)
sn3emzy56u3mxzsr4geysc52feoq5qt7ja56km6gygwnszkshunn2sid.onion:8000 (@emzy)
sn4emzywye3dhjouv7jig677qepg7fnusjidw74fbwneieruhmi7fuyd.onion:8000 (@emzy)
sn5emzyvxuildv34n6jewfp2zeota4aq63fsl5yyilnvksezr3htveqd.onion:8000 (@emzy)
sn2havenoad7ncazupgbd3dcedqh5ptirgwofw63djwpdtftwhddo75oid.onion:8000 (@miker)
sn3bsq3evqkpshdmc3sbdxafkhfnk7ctop44jsxbxyys5ridsaw5abyd.onion:8000 (@miker)
sn4bsqpc7eb2ntvpsycxbzqt6fre72l4krp2fl5svphfh2eusrqtq3qd.onion:8000 (@miker)
5quyxpxheyvzmb2d.onion:8000 (@miker)
rm7b56wbrcczpjvl.onion:8000 (@miker)
s67qglwhkgkyvr74.onion:8000 (@emzy)
fl3mmribyxgrv63c.onion:8000 (@devinbileck)

View File

@ -1,3 +0,0 @@
# nodeaddress.onion:port [(@owner,@backup)]
localhost:2002 (@devtest1)
localhost:3002 (@devtest2)

View File

@ -1,2 +0,0 @@
# nodeaddress.onion:port [(@owner)]
m5izk3fvjsjbmkqi.onion:8001

View File

@ -16,7 +16,7 @@ grant {
permission "java.util.PropertyPermission" "maxConnections", "read";
permission "java.util.PropertyPermission" "networkId", "read";
permission "java.util.PropertyPermission" "banList", "read";
permission "java.util.PropertyPermission" "socks5ProxyBtcAddress", "read";
permission "java.util.PropertyPermission" "socks5ProxyXmrAddress", "read";
permission "java.util.PropertyPermission" "socks5ProxyHttpAddress", "read";
permission "java.util.PropertyPermission" "useragent.name", "read";
permission "java.util.PropertyPermission" "useragent.version", "read";
@ -64,7 +64,7 @@ grant {
permission "java.lang.RuntimePermission" "getenv.maxConnections";
permission "java.lang.RuntimePermission" "getenv.networkId";
permission "java.lang.RuntimePermission" "getenv.banList";
permission "java.lang.RuntimePermission" "getenv.socks5ProxyBtcAddress";
permission "java.lang.RuntimePermission" "getenv.socks5ProxyXmrAddress";
permission "java.lang.RuntimePermission" "getenv.socks5ProxyHttpAddress";
permission "java.lang.RuntimePermission" "getenv.useragent.name";
permission "java.lang.RuntimePermission" "getenv.useragent.version";

View File

@ -2,7 +2,7 @@ canceloffer
NAME
----
canceloffer - cancel an existing offer to buy or sell BTC
canceloffer - cancel an existing offer to buy or sell XMR
SYNOPSIS
--------

View File

@ -11,8 +11,8 @@ confirmpaymentreceived
DESCRIPTION
-----------
After the seller receives payment from the BTC buyer, confirmpaymentreceived notifies
the buyer the payment has arrived. The seller can release locked BTC only after the
After the seller receives payment from the XMR buyer, confirmpaymentreceived notifies
the buyer the payment has arrived. The seller can release locked XMR only after the
this confirmation message has been sent.
OPTIONS
@ -22,6 +22,6 @@ OPTIONS
EXAMPLES
--------
A BTC seller has taken an offer with ID 83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and has recently
A XMR seller has taken an offer with ID 83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and has recently
received the required fiat payment from the buyer's fiat account:
$ ./haveno-cli --password=xyz --port=9998 confirmpaymentreceived --trade-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea

View File

@ -11,7 +11,7 @@ confirmpaymentsent
DESCRIPTION
-----------
After the buyer initiates payment to the BTC seller, confirmpaymentsent notifies
After the buyer initiates payment to the XMR seller, confirmpaymentsent notifies
the seller to begin watching for a funds deposit in her payment account.
OPTIONS
@ -21,6 +21,6 @@ OPTIONS
EXAMPLES
--------
A BTC buyer has taken an offer with ID 83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and has recently
A XMR buyer has taken an offer with ID 83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and has recently
initiated the required fiat payment to the seller's fiat account:
$ ./haveno-cli --password=xyz --port=9998 confirmpaymentsent --trade-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea

View File

@ -2,7 +2,7 @@ createoffer
NAME
----
createoffer - create offer to buy or sell BTC
createoffer - create offer to buy or sell XMR
SYNOPSIS
--------
@ -18,7 +18,7 @@ createoffer
DESCRIPTION
-----------
Create and place an offer to buy or sell BTC using a fiat account.
Create and place an offer to buy or sell XMR using a fiat account.
OPTIONS
-------
@ -29,54 +29,54 @@ OPTIONS
The direction of the trade (BUY or SELL).
--currency-code
The three letter code for the fiat used to buy or sell BTC, e.g., EUR, USD, BRL, ...
The three letter code for the fiat used to buy or sell XMR, e.g., EUR, USD, BRL, ...
--market-price-margin
The % above or below market BTC price, e.g., 1.00 (1%).
The % above or below market XMR price, e.g., 1.00 (1%).
If --market-price-margin is not present, --fixed-price must be.
--fixed-price
The fixed BTC price in fiat used to buy or sell BTC, e.g., 34000 (USD).
The fixed XMR price in fiat used to buy or sell XMR, e.g., 34000 (USD).
If --fixed-price is not present, --market-price-margin must be.
--amount
The amount of BTC to buy or sell, e.g., 0.125.
The amount of XMR to buy or sell, e.g., 0.125.
--min-amount
The minimum amount of BTC to buy or sell, e.g., 0.006.
The minimum amount of XMR to buy or sell, e.g., 0.006.
If --min-amount is not present, it defaults to the --amount value.
--security-deposit
The percentage of the BTC amount being traded for the security deposit, e.g., 60.0 (60%).
The percentage of the XMR amount being traded for the security deposit, e.g., 60.0 (60%).
--fee-currency
The wallet currency used to pay the Haveno trade maker fee (BTC). Default is BTC
The wallet currency used to pay the Haveno trade maker fee (XMR). Default is XMR
EXAMPLES
--------
To create a BUY 0.125 BTC with EUR offer
To create a BUY 0.125 XMR with EUR offer
at the current market price,
using a payment account with ID 7413d263-225a-4f1b-837a-1e3094dc0d77,
putting up a 30 percent security deposit,
and paying the Haveno maker trading fee in BTC:
and paying the Haveno maker trading fee in XMR:
$ ./haveno-cli --password=xyz --port=9998 createoffer --payment-account=7413d263-225a-4f1b-837a-1e3094dc0d77 \
--direction=buy \
--currency-code=eur \
--amount=0.125 \
--market-price-margin=0.00 \
--security-deposit=30.0 \
--fee-currency=btc
--fee-currency=xmr
To create a SELL 0.006 BTC for USD offer
To create a SELL 0.006 XMR for USD offer
at a fixed price of 40,000 USD,
using a payment account with ID 7413d263-225a-4f1b-837a-1e3094dc0d77,
putting up a 25 percent security deposit,
and paying the Haveno maker trading fee in BTC:
and paying the Haveno maker trading fee in XMR:
$ ./haveno-cli --password=xyz --port=9998 createoffer --payment-account=7413d263-225a-4f1b-837a-1e3094dc0d77 \
--direction=sell \
--currency-code=usd \
--amount=0.006 \
--fixed-price=40000 \
--security-deposit=25.0 \
--fee-currency=btc
--fee-currency=xmr

View File

@ -11,12 +11,12 @@ getaddressbalance
DESCRIPTION
-----------
Returns the balance of a BTC address in the Haveno server's wallet.
Returns the balance of a XMR address in the Haveno server's wallet.
OPTIONS
-------
--address=<btc-address>
The BTC address.
The XMR address.
EXAMPLES
--------

View File

@ -11,7 +11,7 @@ getbalance
DESCRIPTION
-----------
Returns full balance information for Haveno BTC wallets.
Returns full balance information for Haveno XMR wallets.
OPTIONS
-------
@ -20,11 +20,11 @@ OPTIONS
EXAMPLES
--------
Show full BTC wallet balance information:
Show full XMR wallet balance information:
$ ./haveno-cli --password=xyz --port=9998 getbalance
Show full wallet balance information:
$ ./haveno-cli --password=xyz --port=9998 getbalance --currency-code=bsq
Show full BTC wallet balance information:
Show full XMR wallet balance information:
$ ./haveno-cli --password=xyz --port=9998 getbalance --currency-code=btc

View File

@ -2,7 +2,7 @@ getfundingaddresses
NAME
----
getfundingaddresses - list BTC receiving address
getfundingaddresses - list XMR receiving address
SYNOPSIS
--------
@ -10,7 +10,7 @@ getfundingaddresses
DESCRIPTION
-----------
Returns a list of receiving BTC addresses.
Returns a list of receiving XMR addresses.
EXAMPLES
--------

View File

@ -2,7 +2,7 @@ getmyoffer
NAME
----
getmyoffer - get your offer to buy or sell BTC
getmyoffer - get your offer to buy or sell XMR
SYNOPSIS
--------

View File

@ -2,7 +2,7 @@ getmyoffers
NAME
----
getmyoffers - get your own buy or sell BTC offers for a fiat currency
getmyoffers - get your own buy or sell XMR offers for a fiat currency
SYNOPSIS
--------
@ -20,7 +20,7 @@ OPTIONS
The direction of the offer (BUY or SELL).
--currency-code
The three letter code for the fiat used to buy or sell BTC, e.g., EUR, USD, BRL, ...
The three letter code for the fiat used to buy or sell XMR, e.g., EUR, USD, BRL, ...
EXAMPLES
--------

View File

@ -2,7 +2,7 @@ getoffer
NAME
----
getoffer - get an offer to buy or sell BTC
getoffer - get an offer to buy or sell XMR
SYNOPSIS
--------

View File

@ -2,7 +2,7 @@ getoffers
NAME
----
getoffers - get available buy or sell BTC offers for a fiat currency
getoffers - get available buy or sell XMR offers for a fiat currency
SYNOPSIS
--------
@ -22,17 +22,17 @@ OPTIONS
The direction of the offer (BUY or SELL).
--currency-code
The three letter code for the fiat used to buy or sell BTC, e.g., EUR, USD, BRL, ...
The three letter code for the fiat used to buy or sell XMR, e.g., EUR, USD, BRL, ...
EXAMPLES
--------
You have one Brazilian Real payment account with a face-to-face payment method type.
To view available offers to BUY BTC with BRL, created by other users with the same
To view available offers to BUY XMR with BRL, created by other users with the same
face-to-fact account type:
$ ./haveno-cli --password=xyz --port=9998 getoffers --direction=buy --currency-code=brl
You have several EUR payment accounts, each with a different payment method type.
To view available offers to SELL BTC with EUR, created by other users having at
To view available offers to SELL XMR with EUR, created by other users having at
least one payment account that matches any of your own:
$ ./haveno-cli --password=xyz --port=9998 getoffers --direction=sell --currency-code=eur

View File

@ -2,7 +2,7 @@ gettrade
NAME
----
gettrade - get a buy or sell BTC trade
gettrade - get a buy or sell XMR trade
SYNOPSIS
--------

View File

@ -11,14 +11,14 @@ gettransaction
DESCRIPTION
-----------
Returns a very brief summary of a BTC transaction created by the Haveno server.
Returns a very brief summary of a XMR transaction created by the Haveno server.
To see full transaction details, use a bitcoin-core client or an online block explorer.
To see full transaction details, use a monero-core client or an online block explorer.
OPTIONS
-------
--transaction-id
The ID of the BTC transaction.
The ID of the XMR transaction.
EXAMPLES
--------

View File

@ -10,7 +10,7 @@ gettxfeerate
DESCRIPTION
-----------
Returns the most recent bitcoin network transaction fee the Haveno server could find.
Returns the most recent monero network transaction fee the Haveno server could find.
EXAMPLES
--------

View File

@ -11,7 +11,7 @@ getbtcprice
DESCRIPTION
-----------
Returns the current market BTC price for the given currency-code.
Returns the current market XMR price for the given currency-code.
OPTIONS
-------
@ -21,10 +21,10 @@ OPTIONS
EXAMPLES
--------
Get the current BTC market price in Euros:
Get the current XMR market price in Euros:
$ ./haveno-cli --password=xyz --port=9998 getbtcprice --currency-code=eur
Get the current BTC market price in Brazilian Reais:
Get the current XMR market price in Brazilian Reais:
$ ./haveno-cli --password=xyz --port=9998 getbtcprice --currency-code=brl

View File

@ -2,7 +2,7 @@ keepfunds
NAME
----
keepfunds - keep BTC received during a trade in Haveno wallet
keepfunds - keep XMR received during a trade in Haveno wallet
SYNOPSIS
--------
@ -11,12 +11,12 @@ keepfunds
DESCRIPTION
-----------
A BTC buyer completes the final step in the trade protocol by keeping received BTC in his
A XMR buyer completes the final step in the trade protocol by keeping received XMR in his
Haveno wallet. This step may not seem necessary from the buyer's perspective, but it is
necessary for correct transition of a trade's state to CLOSED, within the Haveno server.
The alternative way to close out the trade is to send the received BTC to an external
BTC wallet, using the withdrawfunds command.
The alternative way to close out the trade is to send the received XMR to an external
XMR wallet, using the withdrawfunds command.
OPTIONS
-------
@ -25,7 +25,7 @@ OPTIONS
EXAMPLES
--------
A BTC seller has informed the buyer that fiat payment has been received for trade with ID
83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and locked BTC has been released to the buyer.
The BTC buyer closes out the trade by keeping the received BTC in her Haveno wallet:
A XMR seller has informed the buyer that fiat payment has been received for trade with ID
83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and locked XMR has been released to the buyer.
The XMR buyer closes out the trade by keeping the received XMR in her Haveno wallet:
$ ./haveno-cli --password=xyz --port=9998 keepfunds --trade-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea

View File

@ -2,7 +2,7 @@ sendbtc
NAME
----
sendbtc - send BTC to an external wallet
sendbtc - send XMR to an external wallet
SYNOPSIS
--------
@ -14,15 +14,15 @@ sendbtc
DESCRIPTION
-----------
Send BTC from your Haveno wallet to an external BTC address.
Send XMR from your Haveno wallet to an external XMR address.
OPTIONS
-------
--address
The destination BTC address for the send transaction.
The destination XMR address for the send transaction.
--amount
The amount of BTC to send.
The amount of XMR to send.
--tx-fee-rate
An optional transaction fee rate (sats/byte) for the transaction. The user is
@ -35,16 +35,16 @@ OPTIONS
EXAMPLES
--------
Send 0.10 BTC to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a default
Send 0.10 XMR to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a default
transaction fee rate:
$ ./haveno-cli --password=xyz --port=9998 sendbtc --address=bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 --amount=0.10
Send 0.05 BTC to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a transaction
Send 0.05 XMR to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a transaction
fee rate of 10 sats/byte:
$ ./haveno-cli --password=xyz --port=9998 sendbtc --address=bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 --amount=0.05 \
--tx-fee-rate=10
Send 0.005 BTC to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a transaction
Send 0.005 XMR to address bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 with a transaction
fee rate of 40 sats/byte, and save a memo with the send transaction:
$ ./haveno-cli --password=xyz --port=9998 sendbtc --address=bcrt1qygvsqmyt8jyhtp7l3zwqm7s7v3nar6vkc2luz3 --amount=0.005 \
--tx-fee-rate=40 \

View File

@ -2,7 +2,7 @@ takeoffer
NAME
----
takeoffer - take an offer to buy or sell BTC
takeoffer - take an offer to buy or sell XMR
SYNOPSIS
--------
@ -13,7 +13,7 @@ takeoffer
DESCRIPTION
-----------
Take an existing offer using a matching payment method. The Haveno trade fee can be paid in BTC.
Take an existing offer using a matching payment method. The Haveno trade fee can be paid in XMR.
OPTIONS
-------
@ -25,13 +25,13 @@ OPTIONS
The payment account's payment method must match that of the offer.
--fee-currency
The wallet currency used to pay the Haveno trade taker fee (BTC). Default is BTC
The wallet currency used to pay the Haveno trade taker fee (XMR). Default is XMR
EXAMPLES
--------
To take an offer with ID 83e8b2e2-51b6-4f39-a748-3ebd29c22aea
using a payment account with ID fe20cdbd-22be-4b8a-a4b6-d2608ff09d6e,
and paying the Haveno trading fee in BTC:
and paying the Haveno trading fee in XMR:
$ ./haveno-cli --password=xyz --port=9998 takeoffer --offer-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea \
--payment-account=fe20cdbd-22be-4b8a-a4b6-d2608ff09d6e \
-fee-currency=btc

View File

@ -2,7 +2,7 @@ withdrawfunds
NAME
----
withdrawfunds - send BTC received during a trade to an external BTC wallet
withdrawfunds - send XMR received during a trade to an external XMR wallet
SYNOPSIS
--------
@ -13,10 +13,10 @@ withdrawfunds
DESCRIPTION
-----------
A BTC buyer completes the final step in the trade protocol by sending received BTC to
an external BTC wallet.
A XMR buyer completes the final step in the trade protocol by sending received XMR to
an external XMR wallet.
The alternative way to close out the trade is to keep the received BTC in the Haveno wallet,
The alternative way to close out the trade is to keep the received XMR in the Haveno wallet,
using the keepfunds command.
The buyer needs to complete the trade protocol using the keepfunds or withdrawfunds or command.
@ -37,14 +37,14 @@ OPTIONS
EXAMPLES
--------
A BTC seller has informed the buyer that fiat payment has been received for trade with ID
83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and locked BTC has been released to the buyer.
The BTC buyer closes out the trade by sending the received BTC to an external BTC wallet:
A XMR seller has informed the buyer that fiat payment has been received for trade with ID
83e8b2e2-51b6-4f39-a748-3ebd29c22aea, and locked XMR has been released to the buyer.
The XMR buyer closes out the trade by sending the received XMR to an external XMR wallet:
$ ./haveno-cli --password=xyz --port=9998 withdrawfunds --trade-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea \
--address=2N5J6MyjAsWnashimGiNwoRzUXThsQzRmbv (bitcoin regtest address)
--address=2N5J6MyjAsWnashimGiNwoRzUXThsQzRmbv (monero stagetnet address)
A seller sends a trade's BTC proceeds to an external wallet, and includes an optional memo:
A seller sends a trade's XMR proceeds to an external wallet, and includes an optional memo:
$ ./haveno-cli --password=xyz --port=9998 withdrawfunds --trade-id=83e8b2e2-51b6-4f39-a748-3ebd29c22aea \
--address=2N5J6MyjAsWnashimGiNwoRzUXThsQzRmbv \
--memo="note to self"

View File

@ -39,12 +39,12 @@ shared.continueAnyway=Continue anyway
shared.na=N/A
shared.shutDown=Shut down
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=Buy Monero
shared.sellBitcoin=Sell Monero
shared.buyMonero=Buy Monero
shared.sellMonero=Sell Monero
shared.buyCurrency=Buy {0}
shared.sellCurrency=Sell {0}
shared.buyingBTCWith=buying XMR with {0}
shared.sellingBTCFor=selling XMR for {0}
shared.buyingXMRWith=buying XMR with {0}
shared.sellingXMRFor=selling XMR for {0}
shared.buyingCurrency=buying {0} (selling XMR)
shared.sellingCurrency=selling {0} (buying XMR)
shared.buy=buy
@ -97,7 +97,7 @@ shared.amountMinMax=Amount (min - max)
shared.amountHelp=If an offer has a minimum and a maximum amount set, then you can trade any amount within this range.
shared.remove=Remove
shared.goTo=Go to {0}
shared.BTCMinMax=XMR (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Remove offer
shared.dontRemoveOffer=Don't remove offer
shared.editOffer=Edit offer
@ -120,7 +120,7 @@ shared.yourDepositTransactionId=Your deposit transaction ID
shared.peerDepositTransactionId=Peer's deposit transaction ID
shared.makerDepositTransactionId=Maker's deposit transaction ID
shared.takerDepositTransactionId=Taker's deposit transaction ID
shared.TheBTCBuyer=The XMR buyer
shared.TheXMRBuyer=The XMR buyer
shared.You=You
shared.preparingConfirmation=Preparing confirmation...
shared.sendingConfirmation=Sending confirmation...
@ -189,7 +189,7 @@ shared.messageSendingFailed=Message sending failed. Error: {0}
shared.unlock=Unlock
shared.toReceive=to receive
shared.toSpend=to spend
shared.btcAmount=XMR amount
shared.xmrAmount=XMR amount
shared.yourLanguage=Your languages
shared.addLanguage=Add language
shared.total=Total
@ -264,9 +264,9 @@ mainView.balance.reserved.short=Reserved
mainView.balance.pending.short=Pending
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connecting to Monero network
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
@ -293,7 +293,7 @@ mainView.walletServiceErrorMsg.connectionError=Connection to the Monero network
mainView.walletServiceErrorMsg.rejectedTxException=A transaction was rejected from the network.\n\n{0}
mainView.networkWarning.allConnectionsLost=You lost the connection to all {0} network peers.\nMaybe you lost your internet connection or your computer was in standby mode.
mainView.networkWarning.localhostBitcoinLost=You lost the connection to the localhost Monero node.\nPlease restart the Haveno application to connect to other Monero nodes or restart the localhost Monero node.
mainView.networkWarning.localhostMoneroLost=You lost the connection to the localhost Monero node.\nPlease restart the Haveno application to connect to other Monero nodes or restart the localhost Monero node.
mainView.version.update=(Update available)
mainView.status.connections=Inbound connections: {0}\nOutbound connections: {1}
@ -310,8 +310,8 @@ market.tabs.trades=Trades
# OfferBookChartView
market.offerBook.sellOffersHeaderLabel=Sell {0} to
market.offerBook.buyOffersHeaderLabel=Buy {0} from
market.offerBook.buy=I want to buy bitcoin
market.offerBook.sell=I want to sell bitcoin
market.offerBook.buy=I want to buy monero
market.offerBook.sell=I want to sell monero
# SpreadView
market.spread.numberOfOffersColumn=All offers ({0})
@ -364,7 +364,7 @@ offerbook.timeSinceSigning.tooltip.accountLimitLifted=Account limit lifted
offerbook.timeSinceSigning.tooltip.info.unsigned=This account hasn't been signed yet
offerbook.timeSinceSigning.tooltip.info.signed=This account has been signed
offerbook.timeSinceSigning.tooltip.info.signedAndLifted=This account has been signed and can sign peer accounts
offerbook.timeSinceSigning.tooltip.checkmark.buyBtc=buy BTC from a signed account
offerbook.timeSinceSigning.tooltip.checkmark.buyXmr=buy XMR from a signed account
offerbook.timeSinceSigning.tooltip.checkmark.wait=wait a minimum of {0} days
offerbook.timeSinceSigning.tooltip.learnMore=Learn more
offerbook.xmrAutoConf=Is auto-confirm enabled
@ -379,7 +379,7 @@ shared.notSigned.noNeedAlts=Cryptocurrency accounts do not feature signing or ag
offerbook.nrOffers=No. of offers: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createNewOffer=Create new offer to {0} {1}
@ -468,7 +468,7 @@ createOffer.info.sellAboveMarketPrice=You will always get {0}% more than the cur
createOffer.info.buyBelowMarketPrice=You will always pay {0}% less than the current market price as the price of your offer will be continuously updated.
createOffer.warning.sellBelowMarketPrice=You will always get {0}% less than the current market price as the price of your offer will be continuously updated.
createOffer.warning.buyAboveMarketPrice=You will always pay {0}% more than the current market price as the price of your offer will be continuously updated.
createOffer.tradeFee.descriptionBTCOnly=Trade fee
createOffer.tradeFee.descriptionXMROnly=Trade fee
createOffer.tradeFee.description=Trade fee
createOffer.triggerPrice.prompt=Set optional trigger price
@ -521,14 +521,14 @@ createOffer.minSecurityDepositUsed=Min. buyer security deposit is used
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Enter amount in BTC
takeOffer.amount.prompt=Enter amount in XMR
takeOffer.amountPriceBox.buy.amountDescription=Amount of XMR to sell
takeOffer.amountPriceBox.sell.amountDescription=Amount of XMR to buy
takeOffer.amountPriceBox.buy.amountDescriptionCrypto=Amount of XMR to sell
takeOffer.amountPriceBox.sell.amountDescriptionCrypto=Amount of XMR to buy
takeOffer.amountPriceBox.priceDescription=Price per bitcoin in {0}
takeOffer.amountPriceBox.priceDescription=Price per monero in {0}
takeOffer.amountPriceBox.amountRangeDescription=Possible amount range
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=The amount you have entered exceeds the number of allowed decimal places.\nThe amount has been adjusted to 4 decimal places.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=The amount you have entered exceeds the number of allowed decimal places.\nThe amount has been adjusted to 4 decimal places.
takeOffer.validation.amountSmallerThanMinAmount=Amount cannot be smaller than minimum amount defined in the offer.
takeOffer.validation.amountLargerThanOfferAmount=Input amount cannot be higher than the amount defined in the offer.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=That input amount would create dust change for the XMR seller.
@ -657,7 +657,7 @@ portfolio.pending.step1.openForDispute=The deposit transaction is still not conf
portfolio.pending.step2.confReached=Your trade has reached 10 confirmations.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field \
empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. \
empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. \
You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
@ -665,29 +665,29 @@ portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the
portfolio.pending.step2_buyer.fees.swift=Make sure to use the SHA (shared fee model) to send the SWIFT payment. \
See more details at [HYPERLINK:https://haveno.exchange/wiki/SWIFT#Use_the_correct_fee_option].
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Please transfer from your external {0} wallet\n{1} to the BTC seller.\n\n
portfolio.pending.step2_buyer.crypto=Please transfer from your external {0} wallet\n{1} to the XMR seller.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Please go to a bank and pay {0} to the BTC seller.\n\n
portfolio.pending.step2_buyer.cash.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment write on the paper receipt: NO REFUNDS.\nThen tear it in 2 parts, make a photo and send it to the BTC seller's email address.
portfolio.pending.step2_buyer.cash=Please go to a bank and pay {0} to the XMR seller.\n\n
portfolio.pending.step2_buyer.cash.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment write on the paper receipt: NO REFUNDS.\nThen tear it in 2 parts, make a photo and send it to the XMR seller's email address.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Please pay {0} to the BTC seller by using MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment send the Authorisation number and a photo of the receipt by email to the BTC seller.\n\
portfolio.pending.step2_buyer.moneyGram=Please pay {0} to the XMR seller by using MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment send the Authorisation number and a photo of the receipt by email to the XMR seller.\n\
The receipt must clearly show the seller''s full name, country, state and the amount. The seller''s email is: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Please pay {0} to the BTC seller by using Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller.\n\
portfolio.pending.step2_buyer.westernUnion=Please pay {0} to the XMR seller by using Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=IMPORTANT REQUIREMENT:\nAfter you have done the payment send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller.\n\
The receipt must clearly show the seller''s full name, city, country and the amount. The seller''s email is: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Please send {0} by \"US Postal Money Order\" to the BTC seller.\n\n
portfolio.pending.step2_buyer.postal=Please send {0} by \"US Postal Money Order\" to the XMR seller.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. \
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. \
Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. \
See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Please contact the BTC seller by the provided contact and arrange a meeting to pay {0}.\n\n
portfolio.pending.step2_buyer.f2f=Please contact the XMR seller by the provided contact and arrange a meeting to pay {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Start payment using {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Amount to transfer
@ -721,7 +721,7 @@ portfolio.pending.step2_buyer.confirmStart.msg=Did you initiate the {0} payment
portfolio.pending.step2_buyer.confirmStart.yes=Yes, I have started the payment
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\n\
By not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\n\
By not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\n\
Beside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the arbitrator in case of a dispute.\n\
See more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
@ -842,7 +842,7 @@ portfolio.pending.step5_buyer.takersMiningFee=Total mining fees
portfolio.pending.step5_buyer.refunded=Refunded security deposit
portfolio.pending.step5_buyer.amountTooLow=The amount to transfer is lower than the transaction fee and the min. possible tx value (dust).
portfolio.pending.step5_buyer.tradeCompleted.headline=Trade completed
portfolio.pending.step5_buyer.tradeCompleted.msg=Your completed trades are stored under \"Portfolio/History\".\nYou can review all your bitcoin transactions under \"Funds/Transactions\"
portfolio.pending.step5_buyer.tradeCompleted.msg=Your completed trades are stored under \"Portfolio/History\".\nYou can review all your monero transactions under \"Funds/Transactions\"
portfolio.pending.step5_buyer.bought=You have bought
portfolio.pending.step5_buyer.paid=You have paid
@ -1242,7 +1242,7 @@ setting.preferences.avoidStandbyMode=Avoid standby mode
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Values higher than {0}% are not allowed.
setting.preferences.txFee=BSQ Withdrawal transaction fee (satoshis/vbyte)
@ -1278,7 +1278,7 @@ settings.preferences.editCustomExplorer.name=Name
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Monero network
settings.net.xmrHeader=Monero network
settings.net.p2pHeader=Haveno network
settings.net.onionAddressLabel=My onion address
settings.net.xmrNodesLabel=Use custom Monero nodes
@ -1299,7 +1299,7 @@ settings.net.warn.useCustomNodes.B2XWarning=Please be sure that your Monero node
Users who connect to nodes that violate consensus rules are responsible for any resulting damage. \
Any resulting disputes will be decided in favor of the other peer. No technical support will be given \
to users who ignore this warning and protection mechanisms!
settings.net.warn.invalidBtcConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.warn.invalidXmrConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=Connected peers
settings.net.onionAddressColumn=Onion address
@ -1307,7 +1307,7 @@ settings.net.creationDateColumn=Established
settings.net.connectionTypeColumn=In/Out
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Roundtrip
settings.net.sentBytesColumn=Sent
settings.net.receivedBytesColumn=Received
@ -1335,7 +1335,7 @@ settings.net.rescanOutputsButton=Rescan Wallet Outputs
settings.net.rescanOutputsSuccess=Are you sure you want to rescan your wallet outputs?
settings.net.rescanOutputsFailed=Could not rescan wallet outputs.\nError: {0}
setting.about.aboutHaveno=About Haveno
setting.about.about=Haveno is open-source software which facilitates the exchange of bitcoin with national currencies (and other cryptocurrencies) through a decentralized peer-to-peer network in a way that strongly protects user privacy. Learn more about Haveno on our project web page.
setting.about.about=Haveno is open-source software which facilitates the exchange of monero with national currencies (and other cryptocurrencies) through a decentralized peer-to-peer network in a way that strongly protects user privacy. Learn more about Haveno on our project web page.
setting.about.web=Haveno web page
setting.about.code=Source code
setting.about.agpl=AGPL License
@ -1372,7 +1372,7 @@ setting.about.shortcuts.openDispute.value=Select pending trade and click: {0}
setting.about.shortcuts.walletDetails=Open wallet details window
setting.about.shortcuts.openEmergencyBtcWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.showTorLogs=Toggle log level for Tor messages between DEBUG and WARN
@ -1416,7 +1416,7 @@ account.menu.notifications=Notifications
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\n\
For BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
For XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1644,7 +1644,7 @@ burning ordinary blackcoins (with associated data equal to the destination addre
In case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Trading L-XMR on Haveno requires that you understand the following:\n\n\
account.crypto.popup.liquidmonero.msg=Trading L-XMR on Haveno requires that you understand the following:\n\n\
When receiving L-XMR for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a \
custodial/exchange wallet. You must only receive L-XMR into the Liquid Elements Core wallet, or another \
L-XMR wallet which allows you to obtain the blinding key for your blinded L-XMR address.\n\n\
@ -1777,7 +1777,7 @@ inputControlWindow.balanceLabel=Available balance
contractWindow.title=Dispute details
contractWindow.dates=Offer date / Trade date
contractWindow.btcAddresses=Monero address XMR buyer / XMR seller
contractWindow.xmrAddresses=Monero address XMR buyer / XMR seller
contractWindow.onions=Network address XMR buyer / XMR seller
contractWindow.accountAge=Account age XMR buyer / XMR seller
contractWindow.numDisputes=No. of disputes XMR buyer / XMR seller
@ -1810,8 +1810,8 @@ disputeSummaryWindow.title=Summary
disputeSummaryWindow.openDate=Ticket opening date
disputeSummaryWindow.role=Opener's role
disputeSummaryWindow.payout=Trade amount payout
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} gets trade amount payout
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} gets trade amount payout
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Custom payout
disputeSummaryWindow.payoutAmount.buyer=Buyer's payout amount
disputeSummaryWindow.payoutAmount.seller=Seller's payout amount
@ -1924,11 +1924,11 @@ filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addre
filterWindow.disableTradeBelowVersion=Min. version required for trading
filterWindow.add=Add filter
filterWindow.remove=Remove filter
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Min. XMR amount
offerDetailsWindow.minXmrAmount=Min. XMR amount
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(distance from market price: {0})
offerDetailsWindow.myTradingAccount=My trading account
@ -1937,9 +1937,9 @@ offerDetailsWindow.countryBank=Maker's country of bank
offerDetailsWindow.commitment=Commitment
offerDetailsWindow.agree=I agree
offerDetailsWindow.tac=Terms and conditions
offerDetailsWindow.confirm.maker=Confirm: Place offer to {0} bitcoin
offerDetailsWindow.confirm.maker=Confirm: Place offer to {0} monero
offerDetailsWindow.confirm.makerCrypto=Confirm: Place offer to {0} {1}
offerDetailsWindow.confirm.taker=Confirm: Take offer to {0} bitcoin
offerDetailsWindow.confirm.taker=Confirm: Take offer to {0} monero
offerDetailsWindow.confirm.takerCrypto=Confirm: Take offer to {0} {1}
offerDetailsWindow.creationDate=Creation date
offerDetailsWindow.makersOnion=Maker's onion address
@ -2039,10 +2039,10 @@ torNetworkSettingWindow.bridges.info=If Tor is blocked by your internet provider
Visit the Tor web page at: https://bridges.torproject.org/bridges to learn more about \
bridges and pluggable transports.
feeOptionWindow.useBTC=Use BTC
feeOptionWindow.useXMR=Use XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -2100,7 +2100,7 @@ popup.warning.noTradingAccountSetup.msg=You need to setup a national currency or
popup.warning.noArbitratorsAvailable=There are no arbitrators available.
popup.warning.noMediatorsAvailable=There are no mediators available.
popup.warning.notFullyConnected=You need to wait until you are fully connected to the network.\nThat might take up to about 2 minutes at startup.
popup.warning.notSufficientConnectionsToBtcNetwork=You need to wait until you have at least {0} connections to the Monero network.
popup.warning.notSufficientConnectionsToXmrNetwork=You need to wait until you have at least {0} connections to the Monero network.
popup.warning.downloadNotComplete=You need to wait until the download of missing Monero blocks is complete.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\n\
You can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
@ -2129,7 +2129,7 @@ popup.warning.mandatoryUpdate.trading=Please update to the latest Haveno version
A mandatory update was released which disables trading for old versions. \
Please check out the Haveno Forum for more information.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. \
popup.warning.burnXMR=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. \
Please wait until the mining fees are low again or until you''ve accumulated more XMR to transfer.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Monero network.\n\
@ -2262,7 +2262,7 @@ systemTray.show=Show application window
systemTray.hide=Hide application window
systemTray.info=Info about Haveno
systemTray.exit=Exit
systemTray.tooltip=Haveno: A decentralized bitcoin exchange network
systemTray.tooltip=Haveno: A decentralized monero exchange network
####################################################################
@ -2432,8 +2432,8 @@ seed.creationDate=Creation date
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\n\
You must empty this wallet before attempting to restore an older one, as mixing wallets \
together can lead to invalidated backups.\n\n\
Please finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\n\
In case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\n\
Please finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\n\
In case you cannot access your monero you can use the emergency tool to empty the wallet.\n\
To open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=I want to restore anyway
seed.warn.walletNotEmpty.emptyWallet=I will empty my wallets first
@ -2659,7 +2659,7 @@ payment.swift.info.account=Carefully review the core guidelines for using SWIFT
\n\
SWIFT is more sophisticated than other payment methods, so please take a moment to review full guidance on the wiki [HYPERLINK:https://haveno.exchange/wiki/SWIFT].
payment.swift.info.buyer=To buy bitcoin with SWIFT, you must:\n\
payment.swift.info.buyer=To buy monero with SWIFT, you must:\n\
\n\
- send payment in the currency specified by the offer maker \n\
- use the shared fee model (SHA) to send payment\n\
@ -2749,8 +2749,8 @@ CelPay supports multiple stablecoins:\n\n\
GBP Stablecoins; TrueGBP\n\
HKD Stablecoins; TrueHKD\n\
AUD Stablecoins; TrueAUD\n\n\
BTC Buyers can send any matching currency stablecoin to the BTC Seller.
payment.celpay.info.buyer=Please send payment only to the email address provided by the BTC Seller by sending a payment link.\n\n\
XMR Buyers can send any matching currency stablecoin to the XMR Seller.
payment.celpay.info.buyer=Please send payment only to the email address provided by the XMR Seller by sending a payment link.\n\n\
CelPay is limited to sending $2,500 (or other currency/crypto equivalent) in 24 hours.\n\n\
Trades above CelPay account limits will likely have to take place over more than one day, or, be cancelled.\n\n\
CelPay supports multiple stablecoins:\n\n\
@ -2759,9 +2759,9 @@ CelPay supports multiple stablecoins:\n\n\
GBP Stablecoins; TrueGBP\n\
HKD Stablecoins; TrueHKD\n\
AUD Stablecoins; TrueAUD\n\n\
BTC Buyers can send any matching currency stablecoin to the BTC Seller.
payment.celpay.info.seller=BTC Sellers should expect to receive payment via a secure payment link. \
Please make sure the email payment link contains the email address provided by the BTC Buyer.\n\n\
XMR Buyers can send any matching currency stablecoin to the XMR Seller.
payment.celpay.info.seller=XMR Sellers should expect to receive payment via a secure payment link. \
Please make sure the email payment link contains the email address provided by the XMR Buyer.\n\n\
CelPay users are limited to sending $2,500 (or other currency/crypto equivalent) in 24 hours.\n\n\
Trades above CelPay account limits will likely have to take place over more than one day, or, be cancelled.\n\n\
CelPay supports multiple stablecoins:\n\n\
@ -2770,7 +2770,7 @@ CelPay supports multiple stablecoins:\n\n\
GBP Stablecoins; TrueGBP\n\
HKD Stablecoins; TrueHKD\n\
AUD Stablecoins; TrueAUD\n\n\
BTC Sellers should expect to receive any matching currency stablecoin from the BTC Buyer. It is possible for the BTC Buyer to send any matching currency stablecoin.
XMR Sellers should expect to receive any matching currency stablecoin from the XMR Buyer. It is possible for the XMR Buyer to send any matching currency stablecoin.
payment.celpay.supportedCurrenciesForReceiver=Supported currencies (please note: all the currencies below are supported stable coins within the Celcius app. Trades are for stable coins, not fiat.)
payment.nequi.info.account=Please make sure to include your phone number that is associated with your Nequi account.\n\n\
@ -2778,12 +2778,12 @@ When users set up a Nequi account payment limits are set to a maximum of ~ 7,000
If you intend to trade amount of over 7,000,000 COP per trade you will need to complete KYC with Bancolombia and pay a fee \
of around 15,000 COP. After this all transactions will incur a 0.4% of tax. Please ensure you are aware of the latest taxes.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.nequi.info.buyer=Please send payment only to the phone number provided in the BTC Seller's Haveno account.\n\n\
payment.nequi.info.buyer=Please send payment only to the phone number provided in the XMR Seller's Haveno account.\n\n\
When users set up a Nequi account, payment limits are set to a maximum of ~ 7,000,000 COP that can be sent per month.\n\n\
If you intend to trade amount of over 7,000,000 COP per trade you will need to complete KYC with Bancolombia and pay a fee \
of around 15,000 COP. After this all transactions will incur a 0.4% of tax. Please ensure you are aware of the latest taxes.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.nequi.info.seller=Please check that the payment received matches the phone number provided in the BTC Buyer's Haveno account.\n\n\
payment.nequi.info.seller=Please check that the payment received matches the phone number provided in the XMR Buyer's Haveno account.\n\n\
When users set up a Nequi account, payment limits are set to a maximum of ~ 7,000,000 COP that can be sent per month.\n\n\
If you intend to trade amount of over 7,000,000 COP per trade you will need to complete KYC with Bancolombia and pay a fee \
of around 15,000 COP. After this all transactions will incur a 0.4% of tax. Please ensure you are aware of the latest taxes.\n\n\
@ -2795,10 +2795,10 @@ The maximum amount of transactions you can send/receive using Bizum is €2,000
Bizum users can have a maximum of 150 operations per month.\n\n\
Each bank however may establish its own limits, within the above limits, for its clients.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.bizum.info.buyer=Please send payment only to the BTC Seller's mobile phone number as provided in Haveno.\n\n\
payment.bizum.info.buyer=Please send payment only to the XMR Seller's mobile phone number as provided in Haveno.\n\n\
The maximum trade size is €1,000 per payment. The maximum amount of transactions you can send using Bizum is €2,000 Euros per day.\n\n\
If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.bizum.info.seller=Please make sure your payment is received from the BTC Buyer's mobile phone number as provided in Haveno.\n\n\
payment.bizum.info.seller=Please make sure your payment is received from the XMR Buyer's mobile phone number as provided in Haveno.\n\n\
The maximum trade size is €1,000 per payment. The maximum amount of transactions you can receive using Bizum is €2,000 Euros per day.\n\n\
If you trade over the above limits your trade might be cancelled and there could be a penalty.
@ -2806,10 +2806,10 @@ payment.pix.info.account=Please make sure to include your chosen Pix Key. There
CPF (Natural Persons Register) or CNPJ (National Registry of Legal Entities), e-mail address, telephone number or a \
random key generated by the system called a universally unique identifier (UUID). A different key must be used for \
each Pix account you have. Individuals can create up to five keys for each account they own.\n\n\
When trading on Haveno, BTC Buyers should use their Pix Keys as the payment description so that it is easy for the BTC Sellers to identify the payment as coming from themselves.
payment.pix.info.buyer=Please send payment only the Pix Key provided in the BTC Seller's Haveno account.\n\n\
Please use your Pix Key as the payment reference so that it is easy for the BTC Seller to identify the payment as coming from yourself.
payment.pix.info.seller=Please check that the payment received description matches the Pix Key provided in the BTC Buyer's Haveno account.
When trading on Haveno, XMR Buyers should use their Pix Keys as the payment description so that it is easy for the XMR Sellers to identify the payment as coming from themselves.
payment.pix.info.buyer=Please send payment only the Pix Key provided in the XMR Seller's Haveno account.\n\n\
Please use your Pix Key as the payment reference so that it is easy for the XMR Seller to identify the payment as coming from yourself.
payment.pix.info.seller=Please check that the payment received description matches the Pix Key provided in the XMR Buyer's Haveno account.
payment.pix.key=Pix Key (CPF, CNPJ, Email, Phone number or UUID)
payment.monese.info.account=Monese is a bank app for users of GBP, EUR and RON*. Monese allows users to send money to \
@ -2818,18 +2818,18 @@ payment.monese.info.account=Monese is a bank app for users of GBP, EUR and RON*.
When setting up your Monese account in Haveno please make sure to include your name and phone number that matches your \
Monese account. This will ensure that when you send funds they show from the correct account and when you receive \
funds they will be credited to your account.
payment.monese.info.buyer=Please send payment only to the phone number provided by the BTC Seller in their Haveno account. Please leave the payment description blank.
payment.monese.info.seller=BTC Sellers should expect to receive payment from the phone number / name shown in the BTC Buyer's Haveno account.
payment.monese.info.buyer=Please send payment only to the phone number provided by the XMR Seller in their Haveno account. Please leave the payment description blank.
payment.monese.info.seller=XMR Sellers should expect to receive payment from the phone number / name shown in the XMR Buyer's Haveno account.
payment.satispay.info.account=To use Satispay you need a bank account (IBAN) in Italy and to be registered for the service.\n\n\
Satispay account limits are individually set. If you want to trade increased amounts you will need to contact Satispay \
support to increase your limits. Users should also be aware of account limits. If you trade over the above limits \
your trade might be cancelled and there could be a penalty.
payment.satispay.info.buyer=Please send payment only to the BTC Seller's mobile phone number as provided in Haveno.\n\n\
payment.satispay.info.buyer=Please send payment only to the XMR Seller's mobile phone number as provided in Haveno.\n\n\
Satispay account limits are individually set. If you want to trade increased amounts you will need to contact Satispay \
support to increase your limits. Users should also be aware of account limits. If you trade over the above limits \
your trade might be cancelled and there could be a penalty.
payment.satispay.info.seller=Please make sure your payment is received from the BTC Buyer's mobile phone number / name as provided in Haveno.\n\n\
payment.satispay.info.seller=Please make sure your payment is received from the XMR Buyer's mobile phone number / name as provided in Haveno.\n\n\
Satispay account limits are individually set. If you want to trade increased amounts you will need to contact Satispay \
support to increase your limits. Users should also be aware of account limits. If you trade over the above limits \
your trade might be cancelled and there could be a penalty.
@ -2839,17 +2839,17 @@ When you send a Tikkie payment request to an individual person you can ask to re
request. The maximum amount you can request within 24 hours is €2,500 per Tikkie account.\n\n\
Each bank however may establish its own limits, within these limits, for its clients.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.tikkie.info.buyer=Please request a payment link from the BTC Seller in trader chat. Once the BTC Seller has \
payment.tikkie.info.buyer=Please request a payment link from the XMR Seller in trader chat. Once the XMR Seller has \
sent you a payment link that matches the correct amount for the trade please proceed to payment.\n\n\
When the BTC Seller requests a Tikkie payment the maximum they can ask to receive is €750 per Tikkie request. If the \
trade is over that amount the BTC Seller will have to sent multiple requests to total the trade amount. The maximum \
When the XMR Seller requests a Tikkie payment the maximum they can ask to receive is €750 per Tikkie request. If the \
trade is over that amount the XMR Seller will have to sent multiple requests to total the trade amount. The maximum \
you can request in a day is €2,500.\n\n\
Each bank however may establish its own limits, within these limits, for its clients.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.tikkie.info.seller=Please send a payment link to the BTC Seller in trader chat. Once the BTC \
payment.tikkie.info.seller=Please send a payment link to the XMR Seller in trader chat. Once the XMR \
Buyer has sent you payment please check their IBAN detail match the details they have in Haveno.\n\n\
When the BTC Seller requests a Tikkie payment the maximum they can ask to receive is €750 per Tikkie request. If the \
trade is over that amount the BTC Seller will have to sent multiple requests to total the trade amount. The maximum \
When the XMR Seller requests a Tikkie payment the maximum they can ask to receive is €750 per Tikkie request. If the \
trade is over that amount the XMR Seller will have to sent multiple requests to total the trade amount. The maximum \
you can request in a day is €2,500.\n\n\
Each bank however may establish its own limits, within these limits, for its clients.\n\n\
Users should also be aware of account limits. If you trade over the above limits your trade might be cancelled and there could be a penalty.
@ -2860,27 +2860,27 @@ When setting up your Verse account in Haveno please make sure to include the use
funds they will be credited to your account.\n\n\
Verse users are limited to sending or receiving €10,000 per year (or equivalent foreign currency amount) for \
accumulated payments made from or received into their payment account. This can be increased by Verse on request.
payment.verse.info.buyer=Please send payment only to the username provided by the BTC Seller in their Haveno account. \
payment.verse.info.buyer=Please send payment only to the username provided by the XMR Seller in their Haveno account. \
Please leave the payment description blank.\n\n\
Verse users are limited to sending or receiving €10,000 per year (or equivalent foreign currency amount) for \
accumulated payments made from or received into their payment account. This can be increased by Verse on request.
payment.verse.info.seller=BTC Sellers should expect to receive payment from the username shown in the BTC Buyer's Haveno account.\n\n\
payment.verse.info.seller=XMR Sellers should expect to receive payment from the username shown in the XMR Buyer's Haveno account.\n\n\
Verse users are limited to sending or receiving €10,000 per year (or equivalent foreign currency amount) for \
accumulated payments made from or received into their payment account. This can be increased by Verse on request.
payment.achTransfer.info.account=When adding ACH as a payment method in Haveno users should make sure they are aware what \
it will cost to send and receive an ACH transfer.
payment.achTransfer.info.buyer=Please ensure you are aware of what it will cost you to send an ACH transfer.\n\n\
When paying, send only to the payment details provided in the BTC Seller's account using ACH transfer.
When paying, send only to the payment details provided in the XMR Seller's account using ACH transfer.
payment.achTransfer.info.seller=Please ensure you are aware of what it will cost you to receive an ACH transfer.\n\n\
When receiving payment, please check that it is received from the BTC Buyer's account as an ACH transfer.
When receiving payment, please check that it is received from the XMR Buyer's account as an ACH transfer.
payment.domesticWire.info.account=When adding Domestic Wire Transfer as a payment method in Haveno users should make sure \
they are aware what it will cost to send and receive a wire transfer.
payment.domesticWire.info.buyer=Please ensure you are aware of what it will cost you to send a wire transfer.\n\n\
When paying, send only to the payment details provided in the BTC Seller's account.
When paying, send only to the payment details provided in the XMR Seller's account.
payment.domesticWire.info.seller=Please ensure you are aware of what it will cost you to receive a wire transfer.\n\n\
When receiving payment, please check that it is received from the BTC Buyer's account.
When receiving payment, please check that it is received from the XMR Buyer's account.
payment.strike.info.account=Please make sure to include your Strike username.\n\n\
In Haveno, Strike is used for fiat to fiat payments only.\n\n\
@ -2894,10 +2894,10 @@ Users can increase their limits by providing Strike with more information. These
$1,000 maximum total deposits per week\n\
$1,000 maximum per payment\n\n\
If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.strike.info.buyer=Please send payment only to the BTC Seller's Strike username as provided in Haveno.\n\n\
payment.strike.info.buyer=Please send payment only to the XMR Seller's Strike username as provided in Haveno.\n\n\
The maximum trade size is $1,000 per payment.\n\n\
If you trade over the above limits your trade might be cancelled and there could be a penalty.
payment.strike.info.seller=Please make sure your payment is received from the BTC Buyer's Strike username as provided in Haveno.\n\n\
payment.strike.info.seller=Please make sure your payment is received from the XMR Buyer's Strike username as provided in Haveno.\n\n\
The maximum trade size is $1,000 per payment.\n\n\
If you trade over the above limits your trade might be cancelled and there could be a penalty.
@ -2905,16 +2905,16 @@ payment.transferwiseUsd.info.account=Due to US banking regulation, sending and r
than most other currencies. For this reason USD was not added to Haveno TransferWise payment method.\n\n\
The TransferWise-USD payment method allows Haveno users to trade in USD.\n\n\
Anyone with a Wise, formally TransferWise account, can add TransferWise-USD as a payment method in Haveno. This will \
allow them to buy and sell BTC with USD.\n\n\
When trading on Haveno BTC Buyers should not use any reference for reason for payment. If reason for payment is required \
allow them to buy and sell XMR with USD.\n\n\
When trading on Haveno XMR Buyers should not use any reference for reason for payment. If reason for payment is required \
they should only use the full name of the TransferWise-USD account owner.
payment.transferwiseUsd.info.buyer=Please send payment only to the email address in the BTC Seller's Haveno TransferWise-USD account.
payment.transferwiseUsd.info.seller=Please check that the payment received matches the BTC Buyer's name of the TransferWise-USD account in Haveno.
payment.transferwiseUsd.info.buyer=Please send payment only to the email address in the XMR Seller's Haveno TransferWise-USD account.
payment.transferwiseUsd.info.seller=Please check that the payment received matches the XMR Buyer's name of the TransferWise-USD account in Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\
\n\
- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n\
- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\
- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n\
- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\
\n\
In the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\n\
Failure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\n\
@ -3246,7 +3246,7 @@ validation.zero=Input of 0 is not allowed.
validation.negative=A negative value is not allowed.
validation.traditional.tooSmall=Input smaller than minimum possible amount is not allowed.
validation.traditional.tooLarge=Input larger than maximum possible amount is not allowed.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=Input larger than {0} is not allowed.
validation.xmr.tooSmall=Input smaller than {0} is not allowed.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -3256,12 +3256,10 @@ validation.sortCodeChars={0} must consist of {1} characters.
validation.bankIdNumber={0} must consist of {1} numbers.
validation.accountNr=Account number must consist of {0} numbers.
validation.accountNrChars=Account number must consist of {0} characters.
validation.btc.invalidAddress=The address is not correct. Please check the address format.
validation.xmr.invalidAddress=The address is not correct. Please check the address format.
validation.integerOnly=Please enter integer numbers only.
validation.inputError=Your input caused an error:\n{0}
validation.bsq.insufficientBalance=Your available balance is {0}.
validation.btc.exceedsMaxTradeLimit=Your trade limit is {0}.
validation.bsq.amountBelowMinAmount=Min. amount is {0}
validation.xmr.exceedsMaxTradeLimit=Your trade limit is {0}.
validation.nationalAccountId={0} must consist of {1} numbers.
#new
@ -3282,7 +3280,7 @@ validation.bic.letters=Bank and Country code must be letters
validation.bic.invalidLocationCode=BIC contains invalid location code
validation.bic.invalidBranchCode=BIC contains invalid branch code
validation.bic.sepaRevolutBic=Revolut Sepa accounts are not supported.
validation.btc.invalidFormat=Invalid format for a Monero address.
validation.btc.invalidFormat=Invalid format for a Bitcoin address.
validation.email.invalidAddress=Invalid address
validation.iban.invalidCountryCode=Country code invalid
validation.iban.checkSumNotNumeric=Checksum must be numeric

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Rozumím
shared.na=N/A
shared.shutDown=Vypnout
shared.reportBug=Nahlásit chybu na GitHubu
shared.buyBitcoin=Koupit bitcoin
shared.sellBitcoin=Prodat bitcoin
shared.buyMonero=Koupit monero
shared.sellMonero=Prodat monero
shared.buyCurrency=Koupit {0}
shared.sellCurrency=Prodat {0}
shared.buyingBTCWith=nakoupit BTC za {0}
shared.sellingBTCFor=prodat BTC za {0}
shared.buyingCurrency=nakoupit {0} (prodat BTC)
shared.sellingCurrency=prodat {0} (nakoupit BTC)
shared.buyingXMRWith=nakoupit XMR za {0}
shared.sellingXMRFor=prodat XMR za {0}
shared.buyingCurrency=nakoupit {0} (prodat XMR)
shared.sellingCurrency=prodat {0} (nakoupit XMR)
shared.buy=koupit
shared.sell=prodat
shared.buying=kupuje
@ -93,7 +93,7 @@ shared.amountMinMax=Množství (min - max)
shared.amountHelp=Pokud je v nabídce nastavena minimální a maximální částka, můžete obchodovat s jakoukoli částkou v tomto rozsahu.
shared.remove=Odstranit
shared.goTo=Přejít na {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Odstranit nabídku
shared.dontRemoveOffer=Neodstraňovat nabídku
shared.editOffer=Upravit nabídku
@ -105,14 +105,14 @@ shared.nextStep=Další krok
shared.selectTradingAccount=Vyberte obchodní účet
shared.fundFromSavingsWalletButton=Přesunout finance z Haveno peněženky
shared.fundFromExternalWalletButton=Otevřít vaši externí peněženku pro financování
shared.openDefaultWalletFailed=Nepodařilo se otevřít aplikaci bitcoinové peněženky. Jste si jisti, že máte nějakou nainstalovanou?
shared.openDefaultWalletFailed=Nepodařilo se otevřít aplikaci moneroové peněženky. Jste si jisti, že máte nějakou nainstalovanou?
shared.belowInPercent=% pod tržní cenou
shared.aboveInPercent=% nad tržní cenou
shared.enterPercentageValue=Zadejte % hodnotu
shared.OR=NEBO
shared.notEnoughFunds=Ve své peněžence Haveno nemáte pro tuto transakci dostatek prostředků — je potřeba {0}, ale k dispozici je pouze {1}.\n\nPřidejte prostředky z externí peněženky nebo financujte svou peněženku Haveno v části Prostředky > Přijmout prostředky.
shared.waitingForFunds=Čekání na finance...
shared.TheBTCBuyer=BTC kupující
shared.TheXMRBuyer=XMR kupující
shared.You=Vy
shared.sendingConfirmation=Posílám potvrzení...
shared.sendingConfirmationAgain=Prosím pošlete potvrzení znovu
@ -125,7 +125,7 @@ shared.notUsedYet=Ještě nepoužito
shared.date=Datum
shared.sendFundsDetailsWithFee=Odesílání: {0}\nZ adresy: {1}\nNa přijímací adresu: {2}.\nPožadovaný poplatek za těžbu je: {3} ({4} satoshi/vbyte)\nTransakční vsize: {5} vKb\n\nPříjemce obdrží: {6}\n\nOpravdu chcete tuto částku vybrat?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno zjistil, že tato transakce by vytvořila drobné mince, které jsou pod limitem drobných mincí (a není to povoleno pravidly pro bitcoinový konsenzus). Místo toho budou tyto drobné mince ({0} satoshi {1}) přidány k poplatku za těžbu.\n\n\n
shared.sendFundsDetailsDust=Haveno zjistil, že tato transakce by vytvořila drobné mince, které jsou pod limitem drobných mincí (a není to povoleno pravidly pro moneroový konsenzus). Místo toho budou tyto drobné mince ({0} satoshi {1}) přidány k poplatku za těžbu.\n\n\n
shared.copyToClipboard=Kopírovat do schránky
shared.language=Jazyk
shared.country=Země
@ -169,7 +169,7 @@ shared.payoutTxId=ID platební transakce
shared.contractAsJson=Kontakt v JSON formátu
shared.viewContractAsJson=Zobrazit kontrakt v JSON formátu
shared.contract.title=Kontrakt pro obchod s ID: {0}
shared.paymentDetails=BTC {0} detaily platby
shared.paymentDetails=XMR {0} detaily platby
shared.securityDeposit=Kauce
shared.yourSecurityDeposit=Vaše kauce
shared.contract=Kontrakt
@ -179,7 +179,7 @@ shared.messageSendingFailed=Odeslání zprávy selhalo. Chyba: {0}
shared.unlock=Odemknout
shared.toReceive=bude přijata
shared.toSpend=bude utracena
shared.btcAmount=Částka BTC
shared.xmrAmount=Částka XMR
shared.yourLanguage=Vaše jazyky
shared.addLanguage=Přidat jazyk
shared.total=Celkem
@ -226,8 +226,8 @@ shared.enabled=Aktivní
####################################################################
mainView.menu.market=Trh
mainView.menu.buyBtc=Koupit BTC
mainView.menu.sellBtc=Prodat BTC
mainView.menu.buyXmr=Koupit XMR
mainView.menu.sellXmr=Prodat XMR
mainView.menu.portfolio=Portfolio
mainView.menu.funds=Finance
mainView.menu.support=Podpora
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Rezervováno
mainView.balance.pending.short=Zamčeno
mainView.footer.usingTor=(přes Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Aktuální poplatek: {0} sat/vB
mainView.footer.xmrInfo.initializing=Připojování do Bitcoinové sítě
mainView.footer.xmrFeeRate=/ Aktuální poplatek: {0} sat/vB
mainView.footer.xmrInfo.initializing=Připojování do Moneroové sítě
mainView.footer.xmrInfo.synchronizingWith=Synchronizace s {0} v bloku: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synchronizováno s {0} v bloku {1}
mainView.footer.xmrInfo.connectingTo=Připojování
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Zavádění do sítě Haveno
mainView.p2pNetworkWarnMsg.noNodesAvailable=Pro vyžádání dat nejsou k dispozici žádné seed ani peer nody.\nZkontrolujte připojení k internetu nebo zkuste aplikaci restartovat.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Připojení k síti Haveno selhalo (nahlášená chyba: {0}).\nZkontrolujte připojení k internetu nebo zkuste aplikaci restartovat.
mainView.walletServiceErrorMsg.timeout=Připojení k síti Bitcoin selhalo kvůli vypršení časového limitu.
mainView.walletServiceErrorMsg.connectionError=Připojení k síti Bitcoin selhalo kvůli chybě {0}
mainView.walletServiceErrorMsg.timeout=Připojení k síti Monero selhalo kvůli vypršení časového limitu.
mainView.walletServiceErrorMsg.connectionError=Připojení k síti Monero selhalo kvůli chybě {0}
mainView.walletServiceErrorMsg.rejectedTxException=Transakce byla ze sítě zamítnuta.\n\n{0}
mainView.networkWarning.allConnectionsLost=Ztratili jste připojení ke všem {0} síťovým peer nodům.\nMožná jste ztratili připojení k internetu nebo byl váš počítač v pohotovostním režimu.
mainView.networkWarning.localhostBitcoinLost=Ztratili jste připojení k Bitcoinovému localhost nodu.\nRestartujte aplikaci Haveno a připojte se k jiným Bitcoinovým nodům nebo restartujte Bitcoinový localhost node.
mainView.networkWarning.localhostMoneroLost=Ztratili jste připojení k Moneroovému localhost nodu.\nRestartujte aplikaci Haveno a připojte se k jiným Moneroovým nodům nebo restartujte Moneroový localhost node.
mainView.version.update=(Dostupná aktualizace)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Koupit {0}
market.offerBook.sellWithTraditional=Prodat {0}
market.offerBook.sellOffersHeaderLabel=Prodat {0} kupujícímu
market.offerBook.buyOffersHeaderLabel=Koupit {0} od prodejce
market.offerBook.buy=Chci koupit bitcoin
market.offerBook.sell=Chci prodat bitcoin
market.offerBook.buy=Chci koupit monero
market.offerBook.sell=Chci prodat monero
# SpreadView
market.spread.numberOfOffersColumn=Všechny nabídky ({0})
market.spread.numberOfBuyOffersColumn=Koupit BTC ({0})
market.spread.numberOfSellOffersColumn=Prodat BTC ({0})
market.spread.totalAmountColumn=Celkem BTC ({0})
market.spread.numberOfBuyOffersColumn=Koupit XMR ({0})
market.spread.numberOfSellOffersColumn=Prodat XMR ({0})
market.spread.totalAmountColumn=Celkem XMR ({0})
market.spread.spreadColumn=Rozptyl
market.spread.expanded=Rozbalit
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Cryptoové účty neprocházejí kontrolou podpisu a
offerbook.nrOffers=Počet nabídek: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Kauce BTC (%)
offerbook.deposit=Kauce XMR (%)
offerbook.deposit.help=Kauce zaplacená každým obchodníkem k zajištění obchodu. Bude vrácena po dokončení obchodu.
offerbook.createOfferToBuy=Vytvořit novou nabídku k nákupu {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=Částka byla zaokrouhlena, aby se zvýšilo so
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Vložte množství v BTC
createOffer.amount.prompt=Vložte množství v XMR
createOffer.price.prompt=Zadejte cenu
createOffer.volume.prompt=Vložte množství v {0}
createOffer.amountPriceBox.amountDescription=Množství BTC, které chcete {0}
createOffer.amountPriceBox.amountDescription=Množství XMR, které chcete {0}
createOffer.amountPriceBox.buy.volumeDescription=Částka v {0}, kterou utratíte
createOffer.amountPriceBox.sell.volumeDescription=Částka v {0}, kterou přijmete
createOffer.amountPriceBox.minAmountDescription=Minimální množství BTC
createOffer.amountPriceBox.minAmountDescription=Minimální množství XMR
createOffer.securityDeposit.prompt=Kauce
createOffer.fundsBox.title=Financujte svou nabídku
createOffer.fundsBox.offerFee=Obchodní poplatek
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Vždy získáte o {0} % více, než je akt
createOffer.info.buyBelowMarketPrice=Vždy zaplatíte o {0} % méně, než je aktuální tržní cena, protože cena vaší nabídky bude průběžně aktualizována.
createOffer.warning.sellBelowMarketPrice=Vždy získáte o {0} % méně, než je aktuální tržní cena, protože cena vaší nabídky bude průběžně aktualizována.
createOffer.warning.buyAboveMarketPrice=Vždy zaplatíte o {0} % více, než je aktuální tržní cena, protože cena vaší nabídky bude průběžně aktualizována.
createOffer.tradeFee.descriptionBTCOnly=Obchodní poplatek
createOffer.tradeFee.descriptionXMROnly=Obchodní poplatek
createOffer.tradeFee.descriptionBSQEnabled=Zvolte měnu obchodního poplatku
createOffer.triggerPrice.prompt=Nepovinná limitní cena
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Je použita min. záloha kupujícího
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Vložte množství v BTC
takeOffer.amountPriceBox.buy.amountDescription=Množství BTC na prodej
takeOffer.amountPriceBox.sell.amountDescription=Množství BTC k nákupu
takeOffer.amountPriceBox.priceDescription=Cena za bitcoin v {0}
takeOffer.amount.prompt=Vložte množství v XMR
takeOffer.amountPriceBox.buy.amountDescription=Množství XMR na prodej
takeOffer.amountPriceBox.sell.amountDescription=Množství XMR k nákupu
takeOffer.amountPriceBox.priceDescription=Cena za monero v {0}
takeOffer.amountPriceBox.amountRangeDescription=Možný rozsah množství
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=Částka, kterou jste zadali, přesahuje počet povolených desetinných míst.\nČástka byla upravena na 4 desetinná místa.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=Částka, kterou jste zadali, přesahuje počet povolených desetinných míst.\nČástka byla upravena na 4 desetinná místa.
takeOffer.validation.amountSmallerThanMinAmount=Částka nesmí být menší než minimální částka stanovená v nabídce.
takeOffer.validation.amountLargerThanOfferAmount=Vstupní částka nesmí být vyšší než částka stanovená v nabídce.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Toto vstupní množství by vytvořilo zanedbatelné drobné pro prodejce BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Toto vstupní množství by vytvořilo zanedbatelné drobné pro prodejce XMR.
takeOffer.fundsBox.title=Financujte svůj obchod
takeOffer.fundsBox.isOfferAvailable=Kontroluje se, zda je nabídka k dispozici ...
takeOffer.fundsBox.tradeAmount=Částka k prodeji
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=Vkladová transakce není stále potvrzen
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Váš obchod má alespoň jedno potvrzení blockchainu.\n\n
portfolio.pending.step2_buyer.refTextWarn=Důležité: když vyplňujete platební informace, nechte pole \"důvod platby\" prázdné. NEPOUŽÍVEJTE ID obchodu ani jiné poznámky jako např. 'bitcoin', 'BTC' nebo 'Haveno'. Můžete se se svým obchodním partnerem domluvit pomocí chatu na identifikaci platby, která bude vyhovovat oběma.
portfolio.pending.step2_buyer.refTextWarn=Důležité: když vyplňujete platební informace, nechte pole \"důvod platby\" prázdné. NEPOUŽÍVEJTE ID obchodu ani jiné poznámky jako např. 'monero', 'XMR' nebo 'Haveno'. Můžete se se svým obchodním partnerem domluvit pomocí chatu na identifikaci platby, která bude vyhovovat oběma.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=Pokud vaše banka účtuje poplatky za převod, musíte tyto poplatky uhradit vy.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Převeďte prosím z vaší externí {0} peněženky\n{1} prodejci BTC.\n\n
portfolio.pending.step2_buyer.crypto=Převeďte prosím z vaší externí {0} peněženky\n{1} prodejci XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Přejděte do banky a zaplaťte {0} prodejci BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zapište na papírový doklad: NO REFUNDS - bez náhrady.\nPoté ji roztrhněte na 2 části, vytvořte fotografii a odešlete ji na e-mailovou adresu prodejce BTC.
portfolio.pending.step2_buyer.cash=Přejděte do banky a zaplaťte {0} prodejci XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zapište na papírový doklad: NO REFUNDS - bez náhrady.\nPoté ji roztrhněte na 2 části, vytvořte fotografii a odešlete ji na e-mailovou adresu prodejce XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Zaplaťte prosím {0} prodejci BTC pomocí MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zašlete autorizační číslo a fotografii s potvrzením e-mailem prodejci BTC.\nPotvrzení musí jasně uvádět celé jméno, zemi, stát a částku prodávajícího. E-mail prodejce je: {0}.
portfolio.pending.step2_buyer.moneyGram=Zaplaťte prosím {0} prodejci XMR pomocí MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zašlete autorizační číslo a fotografii s potvrzením e-mailem prodejci XMR.\nPotvrzení musí jasně uvádět celé jméno, zemi, stát a částku prodávajícího. E-mail prodejce je: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Zaplaťte prosím {0} prodejci BTC pomocí Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zašlete prodejci BTC e-mail s MTCN (sledovací číslo) a fotografii s potvrzením o přijetí.\nPotvrzení musí jasně uvádět celé jméno prodávajícího, město, zemi a částku. E-mail prodejce je: {0}.
portfolio.pending.step2_buyer.westernUnion=Zaplaťte prosím {0} prodejci XMR pomocí Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=DŮLEŽITÉ POŽADAVKY:\nPo provedení platby zašlete prodejci XMR e-mail s MTCN (sledovací číslo) a fotografii s potvrzením o přijetí.\nPotvrzení musí jasně uvádět celé jméno prodávajícího, město, zemi a částku. E-mail prodejce je: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Zašlete prosím {0} prodejci BTC pomocí \"US Postal Money Order\".\n\n
portfolio.pending.step2_buyer.postal=Zašlete prosím {0} prodejci XMR pomocí \"US Postal Money Order\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Zašlete prosím {0} prodejci BTC v poštovní zásilce (\"Pay by Mail\"). Konkrétní instrukce naleznete v obchodní smlouvě. V případě pochybností se můžete zeptat protistrany pomocí obchodního chatu. Více informací naleznete na Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Zašlete prosím {0} prodejci XMR v poštovní zásilce (\"Pay by Mail\"). Konkrétní instrukce naleznete v obchodní smlouvě. V případě pochybností se můžete zeptat protistrany pomocí obchodního chatu. Více informací naleznete na Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Prosím uhraďte {0} pomocí zvolené platební metody prodejci BTC. V dalším kroku naleznete detaily o účtu prodejce.\n\n
portfolio.pending.step2_buyer.pay=Prosím uhraďte {0} pomocí zvolené platební metody prodejci XMR. V dalším kroku naleznete detaily o účtu prodejce.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Kontaktujte prodejce BTC prostřednictvím poskytnutého kontaktu a domluvte si schůzku kde zaplatíte {0}.\n\n
portfolio.pending.step2_buyer.f2f=Kontaktujte prodejce XMR prostřednictvím poskytnutého kontaktu a domluvte si schůzku kde zaplatíte {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Zahajte platbu pomocí {0}
portfolio.pending.step2_buyer.recipientsAccountData=Příjemci {0}
portfolio.pending.step2_buyer.amountToTransfer=Částka k převodu
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=Použijte svůj platební účet
portfolio.pending.step2_buyer.paymentSent=Platba zahájena
portfolio.pending.step2_buyer.warn=Platbu {0} jste ještě neprovedli!\nVezměte prosím na vědomí, že obchod musí být dokončen do {1}.
portfolio.pending.step2_buyer.openForDispute=Neukončili jste platbu!\nMax. doba obchodu uplynula. Obraťte se na mediátora a požádejte o pomoc.
portfolio.pending.step2_buyer.paperReceipt.headline=Odeslali jste papírový doklad prodejci BTC?
portfolio.pending.step2_buyer.paperReceipt.msg=Zapamatujte si:\nMusíte napsat na papírový doklad: NO REFUNDS - bez náhrady.\nPoté ho roztrhněte na 2 části, vytvořte fotografii a odešlete ji na e-mailovou adresu prodejce BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=Odeslali jste papírový doklad prodejci XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Zapamatujte si:\nMusíte napsat na papírový doklad: NO REFUNDS - bez náhrady.\nPoté ho roztrhněte na 2 části, vytvořte fotografii a odešlete ji na e-mailovou adresu prodejce XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Odeslat autorizační číslo a účtenku
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Musíte zaslat autorizační číslo a fotografii dokladu e-mailem prodejci BTC.\nDoklad musí jasně uvádět celé jméno prodávajícího, zemi, stát a částku. E-mail prodejce je: {0}.\n\nOdeslali jste autorizační číslo a smlouvu prodejci?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Musíte zaslat autorizační číslo a fotografii dokladu e-mailem prodejci XMR.\nDoklad musí jasně uvádět celé jméno prodávajícího, zemi, stát a částku. E-mail prodejce je: {0}.\n\nOdeslali jste autorizační číslo a smlouvu prodejci?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Pošlete MTCN a účtenku
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Musíte odeslat MTCN (sledovací číslo) a fotografii dokladu e-mailem prodejci BTC.\nDoklad musí jasně uvádět celé jméno prodávajícího, město, zemi a částku. E-mail prodejce je: {0}.\n\nOdeslali jste MTCN a smlouvu prodejci?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Musíte odeslat MTCN (sledovací číslo) a fotografii dokladu e-mailem prodejci XMR.\nDoklad musí jasně uvádět celé jméno prodávajícího, město, zemi a částku. E-mail prodejce je: {0}.\n\nOdeslali jste MTCN a smlouvu prodejci?
portfolio.pending.step2_buyer.halCashInfo.headline=Pošlete HalCash kód
portfolio.pending.step2_buyer.halCashInfo.msg=Musíte odeslat jak textovou zprávu s kódem HalCash tak i obchodní ID ({0}) prodejci BTC.\nMobilní číslo prodejce je {1}.\n\nPoslali jste kód prodejci?
portfolio.pending.step2_buyer.halCashInfo.msg=Musíte odeslat jak textovou zprávu s kódem HalCash tak i obchodní ID ({0}) prodejci XMR.\nMobilní číslo prodejce je {1}.\n\nPoslali jste kód prodejci?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Některé banky mohou ověřovat jméno příjemce. Účty Faster Payments vytvořené u starých klientů Haveno neposkytují jméno příjemce, proto si jej (v případě potřeby) vyžádejte pomocí obchodního chatu.
portfolio.pending.step2_buyer.confirmStart.headline=Potvrďte, že jste zahájili platbu
portfolio.pending.step2_buyer.confirmStart.msg=Zahájili jste platbu {0} vašemu obchodnímu partnerovi?
portfolio.pending.step2_buyer.confirmStart.yes=Ano, zahájil jsem platbu
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=Neposkytli jste doklad o platbě
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Nezadali jste ID transakce a klíč transakce.\n\nNeposkytnutím těchto údajů nemůže peer použít funkci automatického potvrzení k uvolnění BTC, jakmile bude přijat XMR.\nKromě toho Haveno vyžaduje, aby odesílatel transakce XMR mohl tyto informace poskytnout mediátorovi nebo rozhodci v případě sporu.\nDalší podrobnosti na wiki Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Nezadali jste ID transakce a klíč transakce.\n\nNeposkytnutím těchto údajů nemůže peer použít funkci automatického potvrzení k uvolnění XMR, jakmile bude přijat XMR.\nKromě toho Haveno vyžaduje, aby odesílatel transakce XMR mohl tyto informace poskytnout mediátorovi nebo rozhodci v případě sporu.\nDalší podrobnosti na wiki Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Vstup není 32 bajtová hexadecimální hodnota
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignorovat a přesto pokračovat
portfolio.pending.step2_seller.waitPayment.headline=Počkejte na platbu
portfolio.pending.step2_seller.f2fInfo.headline=Kontaktní informace kupujícího
portfolio.pending.step2_seller.waitPayment.msg=Vkladová transakce má alespoň jedno potvrzení na blockchainu.\nMusíte počkat, než kupující BTC zahájí platbu {0}.
portfolio.pending.step2_seller.warn=Kupující BTC dosud neprovedl platbu {0}.\nMusíte počkat, než zahájí platbu.\nPokud obchod nebyl dokončen dne {1}, bude rozhodce vyšetřovat.
portfolio.pending.step2_seller.openForDispute=Kupující BTC ještě nezačal s platbou!\nMax. povolené období pro obchod vypršelo.\nMůžete počkat déle a dát obchodnímu partnerovi více času nebo požádat o pomoc mediátora.
portfolio.pending.step2_seller.waitPayment.msg=Vkladová transakce má alespoň jedno potvrzení na blockchainu.\nMusíte počkat, než kupující XMR zahájí platbu {0}.
portfolio.pending.step2_seller.warn=Kupující XMR dosud neprovedl platbu {0}.\nMusíte počkat, než zahájí platbu.\nPokud obchod nebyl dokončen dne {1}, bude rozhodce vyšetřovat.
portfolio.pending.step2_seller.openForDispute=Kupující XMR ještě nezačal s platbou!\nMax. povolené období pro obchod vypršelo.\nMůžete počkat déle a dát obchodnímu partnerovi více času nebo požádat o pomoc mediátora.
tradeChat.chatWindowTitle=Okno chatu pro obchod s ID ''{0}''
tradeChat.openChat=Otevřít chatovací okno
tradeChat.rules=Můžete komunikovat se svým obchodním partnerem a vyřešit případné problémy s tímto obchodem.\nOdpovídat v chatu není povinné.\nPokud obchodník poruší některé z níže uvedených pravidel, zahajte spor a nahlaste jej mediátorovi nebo rozhodci.\n\nPravidla chatu:\n\t● Neposílejte žádné odkazy (riziko malwaru). Můžete odeslat ID transakce a jméno block exploreru.\n\t● Neposílejte seed slova, soukromé klíče, hesla nebo jiné citlivé informace!\n\t● Nepodporujte obchodování mimo Haveno (bez zabezpečení).\n\t● Nezapojujte se do žádných forem podvodů v oblasti sociálního inženýrství.\n\t● Pokud partner nereaguje a dává přednost nekomunikovat prostřednictvím chatu, respektujte jeho rozhodnutí.\n\t● Soustřeďte konverzaci pouze na obchod. Tento chat není náhradou messengeru.\n\t● Udržujte konverzaci přátelskou a uctivou.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=Partner potvrdil přijetí zprávy
# suppress inspection "UnusedProperty"
message.state.FAILED=Odeslání zprávy se nezdařilo
portfolio.pending.step3_buyer.wait.headline=Počkejte na potvrzení platby prodejce BTC
portfolio.pending.step3_buyer.wait.info=Čekání na potvrzení prodejce BTC na přijetí platby {0}.
portfolio.pending.step3_buyer.wait.headline=Počkejte na potvrzení platby prodejce XMR
portfolio.pending.step3_buyer.wait.info=Čekání na potvrzení prodejce XMR na přijetí platby {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Stav zprávy o zahájení platby
portfolio.pending.step3_buyer.warn.part1a=na {0} blockchainu
portfolio.pending.step3_buyer.warn.part1b=u vašeho poskytovatele plateb (např. banky)
portfolio.pending.step3_buyer.warn.part2=Prodejce BTC vaši platbu stále nepotvrdil. Zkontrolujte {0}, zda bylo odeslání platby úspěšné.
portfolio.pending.step3_buyer.openForDispute=Prodejce BTC nepotvrdil vaši platbu! Max. období pro uskutečnění obchodu uplynulo. Můžete počkat déle a dát obchodnímu partnerovi více času nebo požádat o pomoc mediátora.
portfolio.pending.step3_buyer.warn.part2=Prodejce XMR vaši platbu stále nepotvrdil. Zkontrolujte {0}, zda bylo odeslání platby úspěšné.
portfolio.pending.step3_buyer.openForDispute=Prodejce XMR nepotvrdil vaši platbu! Max. období pro uskutečnění obchodu uplynulo. Můžete počkat déle a dát obchodnímu partnerovi více času nebo požádat o pomoc mediátora.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Váš obchodní partner potvrdil, že zahájil platbu {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=ve vašem oblíbeném {0} blockchain exploreru
portfolio.pending.step3_seller.crypto.wallet=na vaší {0} peněžence
portfolio.pending.step3_seller.crypto={0}Zkontrolujte prosím {1}, zda transakce na vaši přijímací adresu\n{2}\nmá již dostatečné potvrzení na blockchainu.\nČástka platby musí být {3}\n\nPo zavření vyskakovacího okna můžete zkopírovat a vložit svou {4} adresu z hlavní obrazovky.
portfolio.pending.step3_seller.postal={0}Zkontrolujte, zda jste od kupujícího BTC obdrželi {1} přes \"US Postal Money Order\".
portfolio.pending.step3_seller.postal={0}Zkontrolujte, zda jste od kupujícího XMR obdrželi {1} přes \"US Postal Money Order\".
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Zkontrolujte, zda jste od kupujícího BTC obdrželi {1} přes \"Pay by Mail\".
portfolio.pending.step3_seller.payByMail={0}Zkontrolujte, zda jste od kupujícího XMR obdrželi {1} přes \"Pay by Mail\".
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Váš obchodní partner potvrdil, že zahájil platbu {0}.\n\nPřejděte na webovou stránku online bankovnictví a zkontrolujte, zda jste od kupujícího BTC obdrželi {1}.
portfolio.pending.step3_seller.cash=Vzhledem k tomu, že se platba provádí prostřednictvím hotovostního vkladu, musí kupující BTC napsat na papírový doklad \"NO REFUND\", roztrhat ho na 2 části a odeslat vám e-mailem fotografii.\n\nAbyste se vyhnuli riziku zpětného zúčtování, potvrďte pouze, zda jste obdrželi e-mail a zda si jste jisti, že papírový doklad je platný.\nPokud si nejste jisti, {0}
portfolio.pending.step3_seller.moneyGram=Kupující vám musí zaslat e-mailem autorizační číslo a fotografii s potvrzením.\nPotvrzení musí jasně uvádět vaše celé jméno, zemi, stát a částku. Zkontrolujte si prosím váš e-mail, pokud jste obdrželi autorizační číslo.\n\nPo uzavření tohoto vyskakovacího okna se zobrazí jméno a adresa kupujícího BTC pro vyzvednutí peněz z MoneyGram.\n\nPotvrďte příjem až po úspěšném vyzvednutí peněz!
portfolio.pending.step3_seller.westernUnion=Kupující vám musí zaslat MTCN (sledovací číslo) a fotografii s potvrzením e-mailem.\nPotvrzení musí jasně uvádět vaše celé jméno, město, zemi a částku. Zkontrolujte svůj e-mail, pokud jste obdrželi MTCN.\n\nPo zavření tohoto vyskakovacího okna uvidíte jméno a adresu kupujícího BTC pro vyzvednutí peněz z Western Union.\n\nPotvrďte příjem až po úspěšném vyzvednutí peněz!
portfolio.pending.step3_seller.bank=Váš obchodní partner potvrdil, že zahájil platbu {0}.\n\nPřejděte na webovou stránku online bankovnictví a zkontrolujte, zda jste od kupujícího XMR obdrželi {1}.
portfolio.pending.step3_seller.cash=Vzhledem k tomu, že se platba provádí prostřednictvím hotovostního vkladu, musí kupující XMR napsat na papírový doklad \"NO REFUND\", roztrhat ho na 2 části a odeslat vám e-mailem fotografii.\n\nAbyste se vyhnuli riziku zpětného zúčtování, potvrďte pouze, zda jste obdrželi e-mail a zda si jste jisti, že papírový doklad je platný.\nPokud si nejste jisti, {0}
portfolio.pending.step3_seller.moneyGram=Kupující vám musí zaslat e-mailem autorizační číslo a fotografii s potvrzením.\nPotvrzení musí jasně uvádět vaše celé jméno, zemi, stát a částku. Zkontrolujte si prosím váš e-mail, pokud jste obdrželi autorizační číslo.\n\nPo uzavření tohoto vyskakovacího okna se zobrazí jméno a adresa kupujícího XMR pro vyzvednutí peněz z MoneyGram.\n\nPotvrďte příjem až po úspěšném vyzvednutí peněz!
portfolio.pending.step3_seller.westernUnion=Kupující vám musí zaslat MTCN (sledovací číslo) a fotografii s potvrzením e-mailem.\nPotvrzení musí jasně uvádět vaše celé jméno, město, zemi a částku. Zkontrolujte svůj e-mail, pokud jste obdrželi MTCN.\n\nPo zavření tohoto vyskakovacího okna uvidíte jméno a adresu kupujícího XMR pro vyzvednutí peněz z Western Union.\n\nPotvrďte příjem až po úspěšném vyzvednutí peněz!
portfolio.pending.step3_seller.halCash=Kupující vám musí poslat kód HalCash jako textovou zprávu. Kromě toho obdržíte zprávu od HalCash s požadovanými informacemi pro výběr EUR z bankomatu podporujícího HalCash.\n\nPoté, co jste vyzvedli peníze z bankomatu, potvrďte zde přijetí platby!
portfolio.pending.step3_seller.amazonGiftCard=Kupující vám poslal e-mailovou kartu Amazon eGift e-mailem nebo textovou zprávou na váš mobilní telefon. Uplatněte nyní kartu Amazon eGift ve svém účtu Amazon a po přijetí potvrďte potvrzení o platbě.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID transakce
portfolio.pending.step3_seller.xmrTxKey=Transakční klíč
portfolio.pending.step3_seller.buyersAccount=Údaje o účtu kupujícího
portfolio.pending.step3_seller.confirmReceipt=Potvrďte příjem platby
portfolio.pending.step3_seller.buyerStartedPayment=Kupující BTC zahájil platbu {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=Kupující XMR zahájil platbu {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Podívejte se na potvrzení na blockchainu ve své crypto peněžence nebo v blok exploreru a potvrďte platbu, pokud máte dostatečné potvrzení na blockchainu.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Zkontrolujte na svém obchodním účtu (např. Bankovní účet) a potvrďte, kdy jste platbu obdrželi.
portfolio.pending.step3_seller.warn.part1a=na {0} blockchainu
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Obdrželi jste od svého
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Ověřte také, zda se jméno odesílatele uvedené v obchodní smlouvě shoduje se jménem uvedeným na výpisu z účtu:\nJméno odesílatele podle obchodní smlouvy: {0}\n\nPokud jména nejsou úplně stejná, nepotvrzujte příjem platby. Místo toho otevřete spor stisknutím \"alt + o\" nebo \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Vezměte prosím na vědomí, že jakmile potvrdíte příjem, dosud uzamčený obchodovaný BTC bude uvolněn kupujícímu a kauce bude vrácena.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Vezměte prosím na vědomí, že jakmile potvrdíte příjem, dosud uzamčený obchodovaný XMR bude uvolněn kupujícímu a kauce bude vrácena.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Potvrďte, že jste obdržel(a) platbu
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Ano, obdržel(a) jsem platbu
portfolio.pending.step3_seller.onPaymentReceived.signer=DŮLEŽITÉ: Potvrzením přijetí platby ověřujete také účet protistrany a odpovídajícím způsobem jej podepisujete. Protože účet protistrany dosud nebyl podepsán, měli byste odložit potvrzení platby co nejdéle, abyste snížili riziko zpětného zúčtování.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Obchodní poplatek
portfolio.pending.step5_buyer.makersMiningFee=Poplatek za těžbu
portfolio.pending.step5_buyer.takersMiningFee=Celkové poplatky za těžbu
portfolio.pending.step5_buyer.refunded=Vrácená kauce
portfolio.pending.step5_buyer.withdrawBTC=Vyberte své bitcoiny
portfolio.pending.step5_buyer.withdrawXMR=Vyberte své moneroy
portfolio.pending.step5_buyer.amount=Částka k výběru
portfolio.pending.step5_buyer.withdrawToAddress=Adresa výběru
portfolio.pending.step5_buyer.moveToHavenoWallet=Uchovat prostředky v peněžence Haveno
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Vaše finanční prostředky již
portfolio.pending.step5_buyer.confirmWithdrawal=Potvrďte žádost o výběr
portfolio.pending.step5_buyer.amountTooLow=Částka k převodu je nižší než transakční poplatek a min. možná hodnota tx (drobné).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Výběr byl dokončen
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Vaše dokončené obchody jsou uloženy na \"Portfolio/Historie\".\nVšechny své bitcoinové transakce si můžete prohlédnout v sekci \"Prostředky/Transakce\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Vaše dokončené obchody jsou uloženy na \"Portfolio/Historie\".\nVšechny své moneroové transakce si můžete prohlédnout v sekci \"Prostředky/Transakce\"
portfolio.pending.step5_buyer.bought=Koupili jste
portfolio.pending.step5_buyer.paid=Zaplatili jste
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Už jste přijali
portfolio.pending.failedTrade.taker.missingTakerFeeTx=Chybí poplatek příjemce transakce.\n\nBez tohoto tx nelze obchod dokončit. Nebyly uzamčeny žádné prostředky a nebyl zaplacen žádný obchodní poplatek. Tento obchod můžete přesunout do neúspěšných obchodů.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=Chybí poplatek příjemce transakce.\n\nBez tohoto tx nelze obchod dokončit. Nebyly uzamčeny žádné prostředky. Vaše nabídka je stále k dispozici dalším obchodníkům, takže jste neztratili poplatek za vytvoření. Tento obchod můžete přesunout do neúspěšných obchodů.
portfolio.pending.failedTrade.missingDepositTx=Vkladová transakce (transakce 2-of-2 multisig) chybí.\n\nBez tohoto tx nelze obchod dokončit. Nebyly uzamčeny žádné prostředky, ale byl zaplacen váš obchodní poplatek. Zde můžete požádat o vrácení obchodního poplatku: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nKlidně můžete přesunout tento obchod do neúspěšných obchodů.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Odložená výplatní transakce chybí, ale prostředky byly uzamčeny v vkladové transakci.\n\nNezasílejte prosím fiat nebo crypto platbu prodejci BTC, protože bez odložené platby tx nelze zahájit arbitráž. Místo toho otevřete mediační úkol pomocí Cmd/Ctrl+o. Mediátor by měl navrhnout, aby oba partneři dostali zpět celou částku svých bezpečnostních vkladů (přičemž prodejce také obdrží plnou částku obchodu). Tímto způsobem nehrozí žádné bezpečnostní riziko a jsou ztraceny pouze obchodní poplatky.\n\nO vrácení ztracených obchodních poplatků můžete požádat zde: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Odložená výplatní transakce chybí, ale prostředky byly uzamčeny v vkladové transakci.\n\nNezasílejte prosím fiat nebo crypto platbu prodejci XMR, protože bez odložené platby tx nelze zahájit arbitráž. Místo toho otevřete mediační úkol pomocí Cmd/Ctrl+o. Mediátor by měl navrhnout, aby oba partneři dostali zpět celou částku svých bezpečnostních vkladů (přičemž prodejce také obdrží plnou částku obchodu). Tímto způsobem nehrozí žádné bezpečnostní riziko a jsou ztraceny pouze obchodní poplatky.\n\nO vrácení ztracených obchodních poplatků můžete požádat zde: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=Odložená výplatní transakce chybí, ale prostředky byly v depozitní transakci uzamčeny.\n\nPokud kupujícímu chybí také odložená výplatní transakce, bude poučen, aby platbu NEPOSLAL a místo toho otevřel mediační úkol. Měli byste také otevřít mediační úkol pomocí Cmd/Ctrl+o.\n\nPokud kupující ještě neposlal platbu, měl by zprostředkovatel navrhnout, aby oba partneři dostali zpět celou částku svých bezpečnostních vkladů (přičemž prodejce také obdrží plnou částku obchodu). Jinak by částka obchodu měla jít kupujícímu.\n\nO vrácení ztracených obchodních poplatků můžete požádat zde: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=Během provádění obchodního protokolu došlo k chybě.\n\nChyba: {0}\n\nJe možné, že tato chyba není kritická a obchod lze dokončit normálně. Pokud si nejste jisti, otevřete si mediační úkol a získejte radu od mediátorů Haveno.\n\nPokud byla chyba kritická a obchod nelze dokončit, možná jste ztratili obchodní poplatek. O vrácení ztracených obchodních poplatků požádejte zde: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=Obchodní kontrakt není stanoven.\n\nObchod nelze dokončit a možná jste ztratili poplatek za obchodování. Pokud ano, můžete požádat o vrácení ztracených obchodních poplatků zde: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Financovat Haveno peněženku
funds.deposit.noAddresses=Dosud nebyly vygenerovány žádné adresy pro vklad
funds.deposit.fundWallet=Financujte svou peněženku
funds.deposit.withdrawFromWallet=Pošlete peníze z peněženky
funds.deposit.amount=Částka v BTC (volitelná)
funds.deposit.amount=Částka v XMR (volitelná)
funds.deposit.generateAddress=Vygenerujte novou adresu
funds.deposit.generateAddressSegwit=Nativní formát segwit (Bech32)
funds.deposit.selectUnused=Vyberte prosím nepoužívanou adresu z výše uvedené tabulky místo generování nové.
@ -890,7 +890,7 @@ funds.tx.revert=Vrátit
funds.tx.txSent=Transakce byla úspěšně odeslána na novou adresu v lokální peněžence Haveno.
funds.tx.direction.self=Posláno sobě
funds.tx.dustAttackTx=Přijaté drobné
funds.tx.dustAttackTx.popup=Tato transakce odesílá do vaší peněženky velmi malou částku BTC a může se jednat o pokus společností provádějících analýzu blockchainu o špehování vaší peněženky.\n\nPoužijete-li tento transakční výstup ve výdajové transakci, zjistí, že jste pravděpodobně také vlastníkem jiné adresy (sloučení mincí).\n\nKvůli ochraně vašeho soukromí ignoruje peněženka Haveno takové drobné výstupy pro účely utrácení a na obrazovce zůstatku. Můžete nastavit hodnotu "drobnosti", kdy je výstup považován za drobné, v nastavení.
funds.tx.dustAttackTx.popup=Tato transakce odesílá do vaší peněženky velmi malou částku XMR a může se jednat o pokus společností provádějících analýzu blockchainu o špehování vaší peněženky.\n\nPoužijete-li tento transakční výstup ve výdajové transakci, zjistí, že jste pravděpodobně také vlastníkem jiné adresy (sloučení mincí).\n\nKvůli ochraně vašeho soukromí ignoruje peněženka Haveno takové drobné výstupy pro účely utrácení a na obrazovce zůstatku. Můžete nastavit hodnotu "drobnosti", kdy je výstup považován za drobné, v nastavení.
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=Zpráva uložena ve schránce příjemce
support.arrived=Zpráva dorazila k příjemci
support.acknowledged=Přijetí zprávy potvrzeno příjemcem
support.error=Příjemce nemohl zpracovat zprávu. Chyba: {0}
support.buyerAddress=Adresa kupujícího BTC
support.sellerAddress=Adresa prodejce BTC
support.buyerAddress=Adresa kupujícího XMR
support.sellerAddress=Adresa prodejce XMR
support.role=Role
support.agent=Agent podpory
support.state=Stav
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=Zavřeno
support.open=Otevřené
support.process=Rozhodnout
support.buyerMaker=Kupující BTC/Tvůrce
support.sellerMaker=Prodejce BTC/Tvůrce
support.buyerTaker=Kupující BTC/Příjemce
support.sellerTaker=Prodávající BTC/Příjemce
support.buyerMaker=Kupující XMR/Tvůrce
support.sellerMaker=Prodejce XMR/Tvůrce
support.buyerTaker=Kupující XMR/Příjemce
support.sellerTaker=Prodávající XMR/Příjemce
support.backgroundInfo=Haveno není společnost, takže spory řeší jinak.\n\nObchodníci mohou v rámci aplikace komunikovat prostřednictvím zabezpečeného chatu na obrazovce otevřených obchodů a pokusit se o řešení sporů sami. Pokud to nestačí, arbitr rozhodne o situaci a určí výplatu obchodních prostředků.
support.initialInfo=Do níže uvedeného textového pole zadejte popis problému. Přidejte co nejvíce informací k urychlení doby řešení sporu.\n\nZde je kontrolní seznam informací, které byste měli poskytnout:\n\t● Pokud kupujete BTC: Provedli jste převod Fiat nebo Cryptou? Pokud ano, klikli jste v aplikaci na tlačítko „Platba zahájena“?\n\t● Pokud jste prodejcem BTC: Obdrželi jste platbu Fiat nebo Cryptou? Pokud ano, klikli jste v aplikaci na tlačítko „Platba přijata“?\n\t● Kterou verzi Haveno používáte?\n\t● Jaký operační systém používáte?\n\t● Pokud se vyskytl problém s neúspěšnými transakcemi, zvažte přechod na nový datový adresář.\n\t Někdy dojde k poškození datového adresáře a vede to k podivným chybám.\n\t  Viz: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nSeznamte se prosím se základními pravidly procesu sporu:\n\t● Musíte odpovědět na požadavky {0} do 2 dnů.\n\t● Mediátoři reagují do 2 dnů. Rozhodci odpoví do 5 pracovních dnů.\n\t● Maximální doba sporu je 14 dní.\n\t● Musíte spolupracovat s {1} a poskytnout informace, které požaduje, aby jste vyřešili váš případ.\n\t● Při prvním spuštění aplikace jste přijali pravidla uvedena v dokumentu sporu v uživatelské smlouvě.\n\nDalší informace o procesu sporu naleznete na: {2}
support.initialInfo=Do níže uvedeného textového pole zadejte popis problému. Přidejte co nejvíce informací k urychlení doby řešení sporu.\n\nZde je kontrolní seznam informací, které byste měli poskytnout:\n\t● Pokud kupujete XMR: Provedli jste převod Fiat nebo Cryptou? Pokud ano, klikli jste v aplikaci na tlačítko „Platba zahájena“?\n\t● Pokud jste prodejcem XMR: Obdrželi jste platbu Fiat nebo Cryptou? Pokud ano, klikli jste v aplikaci na tlačítko „Platba přijata“?\n\t● Kterou verzi Haveno používáte?\n\t● Jaký operační systém používáte?\n\t● Pokud se vyskytl problém s neúspěšnými transakcemi, zvažte přechod na nový datový adresář.\n\t Někdy dojde k poškození datového adresáře a vede to k podivným chybám.\n\t  Viz: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nSeznamte se prosím se základními pravidly procesu sporu:\n\t● Musíte odpovědět na požadavky {0} do 2 dnů.\n\t● Mediátoři reagují do 2 dnů. Rozhodci odpoví do 5 pracovních dnů.\n\t● Maximální doba sporu je 14 dní.\n\t● Musíte spolupracovat s {1} a poskytnout informace, které požaduje, aby jste vyřešili váš případ.\n\t● Při prvním spuštění aplikace jste přijali pravidla uvedena v dokumentu sporu v uživatelské smlouvě.\n\nDalší informace o procesu sporu naleznete na: {2}
support.systemMsg=Systémová zpráva: {0}
support.youOpenedTicket=Otevřeli jste žádost o podporu.\n\n{0}\n\nVerze Haveno: {1}
support.youOpenedDispute=Otevřeli jste žádost o spor.\n\n{0}\n\nVerze Haveno: {1}
@ -979,13 +979,13 @@ settings.tab.network=Informace o síti
settings.tab.about=O Haveno
setting.preferences.general=Základní nastavení
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Max. odchylka od tržní ceny
setting.preferences.avoidStandbyMode=Vyhněte se pohotovostnímu režimu
setting.preferences.autoConfirmXMR=Automatické potvrzení XMR
setting.preferences.autoConfirmEnabled=Povoleno
setting.preferences.autoConfirmRequiredConfirmations=Požadovaná potvrzení
setting.preferences.autoConfirmMaxTradeSize=Max. částka obchodu (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. částka obchodu (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URL (používá Tor, kromě localhost, LAN IP adres a názvů hostitele *.local)
setting.preferences.deviationToLarge=Hodnoty vyšší než {0} % nejsou povoleny.
setting.preferences.txFee=Poplatek za výběr transakce (satoshi/vbyte)
@ -1022,29 +1022,29 @@ settings.preferences.editCustomExplorer.name=Jméno
settings.preferences.editCustomExplorer.txUrl=Transakční URL
settings.preferences.editCustomExplorer.addressUrl=Adresa URL
settings.net.btcHeader=Bitcoinová síť
settings.net.xmrHeader=Moneroová síť
settings.net.p2pHeader=Síť Haveno
settings.net.onionAddressLabel=Moje onion adresa
settings.net.xmrNodesLabel=Použijte vlastní Monero node
settings.net.moneroPeersLabel=Připojené peer uzly
settings.net.useTorForXmrJLabel=Použít Tor pro Monero síť
settings.net.moneroNodesLabel=Monero nody, pro připojení
settings.net.useProvidedNodesRadio=Použijte nabízené Bitcoin Core nody
settings.net.usePublicNodesRadio=Použít veřejnou Bitcoinovou síť
settings.net.useCustomNodesRadio=Použijte vlastní Bitcoin Core node
settings.net.useProvidedNodesRadio=Použijte nabízené Monero Core nody
settings.net.usePublicNodesRadio=Použít veřejnou Moneroovou síť
settings.net.useCustomNodesRadio=Použijte vlastní Monero Core node
settings.net.warn.usePublicNodes=Pokud používáte veřejné Monero nody, jste vystaveni riziku spojenému s používáním nedůvěryhodných vzdálených nodů.\n\nProsím, přečtěte si více podrobností na [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nJste si jistí, že chcete použít veřejné nody?
settings.net.warn.usePublicNodes.useProvided=Ne, použijte nabízené nody
settings.net.warn.usePublicNodes.usePublic=Ano, použít veřejnou síť
settings.net.warn.useCustomNodes.B2XWarning=Ujistěte se, že váš bitcoinový node je důvěryhodný Bitcoin Core node!\n\nPřipojení k nodům, které nedodržují pravidla konsensu Bitcoin Core, může poškodit vaši peněženku a způsobit problémy v obchodním procesu.\n\nUživatelé, kteří se připojují k nodům, které porušují pravidla konsensu, odpovídají za případné škody, které z toho vyplývají. Jakékoli výsledné spory budou rozhodnuty ve prospěch druhého obchodníka. Uživatelům, kteří ignorují tyto varovné a ochranné mechanismy, nebude poskytována technická podpora!
settings.net.warn.invalidBtcConfig=Připojení k bitcoinové síti selhalo, protože je vaše konfigurace neplatná.\n\nVaše konfigurace byla resetována, aby se místo toho použily poskytnuté bitcoinové uzly. Budete muset restartovat aplikaci.
settings.net.localhostXmrNodeInfo=Základní informace: Haveno při spuštění hledá místní Bitcoinový uzel. Pokud je nalezen, Haveno bude komunikovat se sítí Bitcoin výhradně skrze něj.
settings.net.warn.useCustomNodes.B2XWarning=Ujistěte se, že váš moneroový node je důvěryhodný Monero Core node!\n\nPřipojení k nodům, které nedodržují pravidla konsensu Monero Core, může poškodit vaši peněženku a způsobit problémy v obchodním procesu.\n\nUživatelé, kteří se připojují k nodům, které porušují pravidla konsensu, odpovídají za případné škody, které z toho vyplývají. Jakékoli výsledné spory budou rozhodnuty ve prospěch druhého obchodníka. Uživatelům, kteří ignorují tyto varovné a ochranné mechanismy, nebude poskytována technická podpora!
settings.net.warn.invalidXmrConfig=Připojení k moneroové síti selhalo, protože je vaše konfigurace neplatná.\n\nVaše konfigurace byla resetována, aby se místo toho použily poskytnuté moneroové uzly. Budete muset restartovat aplikaci.
settings.net.localhostXmrNodeInfo=Základní informace: Haveno při spuštění hledá místní Moneroový uzel. Pokud je nalezen, Haveno bude komunikovat se sítí Monero výhradně skrze něj.
settings.net.p2PPeersLabel=Připojené uzly
settings.net.onionAddressColumn=Onion adresa
settings.net.creationDateColumn=Založeno
settings.net.connectionTypeColumn=Příchozí/Odchozí
settings.net.sentDataLabel=Statistiky odeslaných dat
settings.net.receivedDataLabel=Statistiky přijatých dat
settings.net.chainHeightLabel=Poslední výška bloku BTC
settings.net.chainHeightLabel=Poslední výška bloku XMR
settings.net.roundTripTimeColumn=Roundtrip
settings.net.sentBytesColumn=Odesláno
settings.net.receivedBytesColumn=Přijato
@ -1059,7 +1059,7 @@ settings.net.needRestart=Chcete-li použít tuto změnu, musíte restartovat apl
settings.net.notKnownYet=Není dosud známo...
settings.net.sentData=Odeslaná data: {0}, {1} zprávy, {2} zprávy/sekundu
settings.net.receivedData=Přijatá data: {0}, {1} zprávy, {2} zprávy/sekundu
settings.net.chainHeight=Bitcoin Peers: {0}
settings.net.chainHeight=Monero Peers: {0}
settings.net.ips=[IP adresa:port | název hostitele:port | onion adresa:port] (oddělené čárkou). Pokud je použit výchozí port (8333), lze port vynechat.
settings.net.seedNode=Seed node
settings.net.directPeer=Peer uzel (přímý)
@ -1068,7 +1068,7 @@ settings.net.peer=Peer
settings.net.inbound=příchozí
settings.net.outbound=odchozí
setting.about.aboutHaveno=O projektu Haveno
setting.about.about=Haveno je software s otevřeným zdrojovým kódem, který usnadňuje směnu bitcoinů s národními měnami (a jinými kryptoměnami) prostřednictvím decentralizované sítě typu peer-to-peer způsobem, který silně chrání soukromí uživatelů. Zjistěte více o Haveno na naší webové stránce projektu.
setting.about.about=Haveno je software s otevřeným zdrojovým kódem, který usnadňuje směnu moneroů s národními měnami (a jinými kryptoměnami) prostřednictvím decentralizované sítě typu peer-to-peer způsobem, který silně chrání soukromí uživatelů. Zjistěte více o Haveno na naší webové stránce projektu.
setting.about.web=Webová stránka Haveno
setting.about.code=Zdrojový kód
setting.about.agpl=AGPL Licence
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=Vyberte nevyřízený obchod a klikně
setting.about.shortcuts.walletDetails=Otevřít okno s podrobností peněženky
setting.about.shortcuts.openEmergencyBtcWalletTool=Otevřít nástroj nouzové peněženky pro BTC peněženku
setting.about.shortcuts.openEmergencyXmrWalletTool=Otevřít nástroj nouzové peněženky pro XMR peněženku
setting.about.shortcuts.showTorLogs=Přepnout úroveň protokolu pro zprávy Tor mezi DEBUG a WARN
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=Odeslat soukromé oznámení par
setting.about.shortcuts.sendPrivateNotification.value=Otevřete informace o uživateli kliknutím na avatar a stiskněte: {0}
setting.info.headline=Nová funkce automatického potvrzení XMR
setting.info.msg=Při prodeji BTC za XMR můžete pomocí funkce automatického potvrzení ověřit, že do vaší peněženky bylo odesláno správné množství XMR, takže Haveno může automaticky označit obchod jako dokončený, což zrychlí obchodování pro všechny.\n\nAutomatické potvrzení zkontroluje transakci XMR alespoň na 2 uzlech průzkumníka XMR pomocí klíče soukromé transakce poskytnutého odesílatelem XMR. Ve výchozím nastavení používá Haveno uzly průzkumníka spuštěné přispěvateli Haveno, ale pro maximální soukromí a zabezpečení doporučujeme spustit vlastní uzel průzkumníka XMR.\n\nMůžete také nastavit maximální částku BTC na obchod, která se má automaticky potvrdit, a také počet požadovaných potvrzení zde v Nastavení.\n\nZobrazit další podrobnosti (včetně toho, jak nastavit vlastní uzel průzkumníka) na Haveno wiki: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=Při prodeji XMR za XMR můžete pomocí funkce automatického potvrzení ověřit, že do vaší peněženky bylo odesláno správné množství XMR, takže Haveno může automaticky označit obchod jako dokončený, což zrychlí obchodování pro všechny.\n\nAutomatické potvrzení zkontroluje transakci XMR alespoň na 2 uzlech průzkumníka XMR pomocí klíče soukromé transakce poskytnutého odesílatelem XMR. Ve výchozím nastavení používá Haveno uzly průzkumníka spuštěné přispěvateli Haveno, ale pro maximální soukromí a zabezpečení doporučujeme spustit vlastní uzel průzkumníka XMR.\n\nMůžete také nastavit maximální částku XMR na obchod, která se má automaticky potvrdit, a také počet požadovaných potvrzení zde v Nastavení.\n\nZobrazit další podrobnosti (včetně toho, jak nastavit vlastní uzel průzkumníka) na Haveno wiki: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1140,7 +1140,7 @@ account.tab.mediatorRegistration=Registrace mediátora
account.tab.refundAgentRegistration=Registrace rozhodce pro vrácení peněz
account.tab.signing=Podepisování
account.info.headline=Vítejte ve vašem účtu Haveno
account.info.msg=Zde můžete přidat obchodní účty pro národní měny & cryptoy a vytvořit zálohu dat vaší peněženky a účtu.\n\nPři prvním spuštění Haveno byla vytvořena nová bitcoinová peněženka.\n\nDůrazně doporučujeme zapsat si seed slova bitcoinových peněženek (viz záložka nahoře) a před financováním zvážit přidání hesla. Vklady a výběry bitcoinů jsou spravovány v sekci \ "Finance \".\n\nOchrana osobních údajů a zabezpečení: protože Haveno je decentralizovaná směnárna, všechna data jsou uložena ve vašem počítači. Neexistují žádné servery, takže nemáme přístup k vašim osobním informacím, vašim finančním prostředkům ani vaší IP adrese. Údaje, jako jsou čísla bankovních účtů, adresy cryptoů a bitcoinu atd., jsou sdíleny pouze s obchodním partnerem za účelem uskutečnění obchodů, které zahájíte (v případě sporu uvidí Prostředník nebo Rozhodce stejná data jako váš obchodní partner).
account.info.msg=Zde můžete přidat obchodní účty pro národní měny & cryptoy a vytvořit zálohu dat vaší peněženky a účtu.\n\nPři prvním spuštění Haveno byla vytvořena nová moneroová peněženka.\n\nDůrazně doporučujeme zapsat si seed slova moneroových peněženek (viz záložka nahoře) a před financováním zvážit přidání hesla. Vklady a výběry moneroů jsou spravovány v sekci \ "Finance \".\n\nOchrana osobních údajů a zabezpečení: protože Haveno je decentralizovaná směnárna, všechna data jsou uložena ve vašem počítači. Neexistují žádné servery, takže nemáme přístup k vašim osobním informacím, vašim finančním prostředkům ani vaší IP adrese. Údaje, jako jsou čísla bankovních účtů, adresy cryptoů a monerou atd., jsou sdíleny pouze s obchodním partnerem za účelem uskutečnění obchodů, které zahájíte (v případě sporu uvidí Prostředník nebo Rozhodce stejná data jako váš obchodní partner).
account.menu.paymentAccount=Účty v národní měně
account.menu.altCoinsAccountView=Cryptoové účty
@ -1151,7 +1151,7 @@ account.menu.backup=Záloha
account.menu.notifications=Oznámení
account.menu.walletInfo.balance.headLine=Zůstatky v peněžence
account.menu.walletInfo.balance.info=Zde jsou zobrazeny celkové zůstatky v interní peněžence včetně nepotvrzených transakcí.\nInterní zůstatek BTC uvedený níže by měl odpovídat součtu hodnot 'Dostupný zůstatek' a 'Rezervováno v nabídkách' v pravém horním rohu aplikace.
account.menu.walletInfo.balance.info=Zde jsou zobrazeny celkové zůstatky v interní peněžence včetně nepotvrzených transakcí.\nInterní zůstatek XMR uvedený níže by měl odpovídat součtu hodnot 'Dostupný zůstatek' a 'Rezervováno v nabídkách' v pravém horním rohu aplikace.
account.menu.walletInfo.xpub.headLine=Veřejné klíče (xpub)
account.menu.walletInfo.walletSelector={0} {1} peněženka
account.menu.walletInfo.path.headLine=HD identifikátory klíčů
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin na Haveno vyžaduje, abyste poch
account.crypto.popup.blk-burnt.msg=Chcete-li obchodovat s burnt blackcoiny, musíte znát následující:\n\nBurnt blackcoiny jsou nevyčerpatelné. Aby je bylo možné obchodovat na Haveno, musí mít výstupní skripty podobu: OP_RETURN OP_PUSHDATA, následované přidruženými datovými bajty, které po hexadecimálním zakódování tvoří adresy. Například Burnt blackcoiny s adresou 666f6f („foo“ v UTF-8) budou mít následující skript:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nPro vytvoření Burnt blackcoinů lze použít příkaz „burn“ RPC, který je k dispozici v některých peněženkách.\n\nPro možné případy použití se můžete podívat na https://ibo.laboratorium.ee.\n\nVzhledem k tomu, že Burnt blackcoiny jsou nevyčerpatelné, nelze je znovu prodat. „Prodej“ Burnt blackcoinů znamená vypalování běžných blackcoinů (s přidruženými údaji rovnými cílové adrese).\n\nV případě sporu musí prodejce BLK poskytnout hash transakce.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Obchodování s L-BTC na Haveno vyžaduje, abyste pochopili následující skutečnosti:\n\nKdyž přijímáte L-BTC za obchod na Haveno, nemůžete použít mobilní peněženku Green od Blockstreamu ani jinou custodial peněženku nebo peněženku na burze. L-BTC musíte přijmout pouze do peněženky Liquid Elements Core nebo do jiné L-BTC peněženky, která vám umožní získat slepý klíč pro vaši slepou adresu L-BTC.\n\nV případě, že je nutné zprostředkování, nebo pokud dojde k obchodnímu sporu, musíte zprostředkujícímu mediátorovi Haveno nebo agentovi, který vrací peníze zaslat slepý klíč pro vaši L-BTC adresu, aby mohli ověřit podrobnosti vaší důvěrné transakce na svém vlastním Elements Core full-nodu.\n\nNeposkytnutí požadovaných informací zprostředkovateli nebo agentovi pro vrácení peněz povede ke prohrání sporu. Ve všech sporných případech nese příjemce L-BTC 100% břemeno odpovědnosti za poskytnutí kryptografického důkazu zprostředkovateli nebo agentovi pro vrácení peněz.\n\nPokud těmto požadavkům nerozumíte, neobchodujte s L-BTC na Haveno.
account.crypto.popup.liquidbitcoin.msg=Obchodování s L-XMR na Haveno vyžaduje, abyste pochopili následující skutečnosti:\n\nKdyž přijímáte L-XMR za obchod na Haveno, nemůžete použít mobilní peněženku Green od Blockstreamu ani jinou custodial peněženku nebo peněženku na burze. L-XMR musíte přijmout pouze do peněženky Liquid Elements Core nebo do jiné L-XMR peněženky, která vám umožní získat slepý klíč pro vaši slepou adresu L-XMR.\n\nV případě, že je nutné zprostředkování, nebo pokud dojde k obchodnímu sporu, musíte zprostředkujícímu mediátorovi Haveno nebo agentovi, který vrací peníze zaslat slepý klíč pro vaši L-XMR adresu, aby mohli ověřit podrobnosti vaší důvěrné transakce na svém vlastním Elements Core full-nodu.\n\nNeposkytnutí požadovaných informací zprostředkovateli nebo agentovi pro vrácení peněz povede ke prohrání sporu. Ve všech sporných případech nese příjemce L-XMR 100% břemeno odpovědnosti za poskytnutí kryptografického důkazu zprostředkovateli nebo agentovi pro vrácení peněz.\n\nPokud těmto požadavkům nerozumíte, neobchodujte s L-XMR na Haveno.
account.traditional.yourTraditionalAccounts=Vaše účty v národní měně
@ -1229,12 +1229,12 @@ account.password.setPw.headline=Nastavte ochranu peněženky pomocí hesla
account.password.info=S ochranou pomocí hesla budete muset zadat heslo při spuštění aplikace, při výběru monera z vaší peněženky a při zobrazení vašich slov z klíčového základu.
account.seed.backup.title=Zálohujte si seed slova peněženky
account.seed.info=Napište prosím seed slova peněženky a datum! Peněženku můžete kdykoli obnovit pomocí seed slov a datumu.\nStejná seed slova se používají pro peněženku BTC a BSQ.\n\nMěli byste si zapsat seed slova na list papíru. Neukládejte je do počítače.\n\nUpozorňujeme, že seed slova NEJSOU náhradou za zálohu.\nChcete-li obnovit stav a data aplikace, musíte vytvořit zálohu celého adresáře aplikace z obrazovky \"Účet/Záloha\".\nImport seed slov se doporučuje pouze v naléhavých případech. Aplikace nebude funkční bez řádného zálohování databázových souborů a klíčů!
account.seed.info=Napište prosím seed slova peněženky a datum! Peněženku můžete kdykoli obnovit pomocí seed slov a datumu.\nStejná seed slova se používají pro peněženku XMR a BSQ.\n\nMěli byste si zapsat seed slova na list papíru. Neukládejte je do počítače.\n\nUpozorňujeme, že seed slova NEJSOU náhradou za zálohu.\nChcete-li obnovit stav a data aplikace, musíte vytvořit zálohu celého adresáře aplikace z obrazovky \"Účet/Záloha\".\nImport seed slov se doporučuje pouze v naléhavých případech. Aplikace nebude funkční bez řádného zálohování databázových souborů a klíčů!
account.seed.backup.warning=Pamatujte, že seed slova NEJSOU náhradou za zálohu.\nChcete-li obnovit stav a data aplikace, musíte z obrazovky \"Účet/Záloha\" vytvořit zálohu celého adresáře aplikace.\nImport seed slov se doporučuje pouze v naléhavých případech. Bez řádného zálohování databázových souborů a klíčů nebude aplikace funkční!\n\nDalší informace najdete na wiki stránce [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data].
account.seed.warn.noPw.msg=Nenastavili jste si heslo k peněžence, které by chránilo zobrazení seed slov.\n\nChcete zobrazit seed slova?
account.seed.warn.noPw.yes=Ano, a už se mě znovu nezeptat
account.seed.enterPw=Chcete-li zobrazit seed slova, zadejte heslo
account.seed.restore.info=Před použitím obnovení ze seed slov si vytvořte zálohu. Uvědomte si, že obnova peněženky je pouze pro naléhavé případy a může způsobit problémy s interní databází peněženky.\nNení to způsob, jak použít zálohu! K obnovení předchozího stavu aplikace použijte zálohu z adresáře dat aplikace.\n\nPo obnovení se aplikace automaticky vypne. Po restartování aplikace se bude znovu synchronizovat s bitcoinovou sítí. To může chvíli trvat a může spotřebovat hodně CPU, zejména pokud byla peněženka starší a měla mnoho transakcí. Vyhněte se přerušování tohoto procesu, jinak budete možná muset znovu odstranit soubor řetězu SPV nebo opakovat proces obnovy.
account.seed.restore.info=Před použitím obnovení ze seed slov si vytvořte zálohu. Uvědomte si, že obnova peněženky je pouze pro naléhavé případy a může způsobit problémy s interní databází peněženky.\nNení to způsob, jak použít zálohu! K obnovení předchozího stavu aplikace použijte zálohu z adresáře dat aplikace.\n\nPo obnovení se aplikace automaticky vypne. Po restartování aplikace se bude znovu synchronizovat s moneroovou sítí. To může chvíli trvat a může spotřebovat hodně CPU, zejména pokud byla peněženka starší a měla mnoho transakcí. Vyhněte se přerušování tohoto procesu, jinak budete možná muset znovu odstranit soubor řetězu SPV nebo opakovat proces obnovy.
account.seed.restore.ok=Dobře, proveďte obnovu a vypněte Haveno
@ -1259,13 +1259,13 @@ account.notifications.trade.label=Dostávat zprávy o obchodu
account.notifications.market.label=Dostávat upozornění na nabídky
account.notifications.price.label=Dostávat upozornění o cenách
account.notifications.priceAlert.title=Cenová upozornění
account.notifications.priceAlert.high.label=Upozorněte, pokud bude cena BTC nad
account.notifications.priceAlert.low.label=Upozorněte, pokud bude cena BTC pod
account.notifications.priceAlert.high.label=Upozorněte, pokud bude cena XMR nad
account.notifications.priceAlert.low.label=Upozorněte, pokud bude cena XMR pod
account.notifications.priceAlert.setButton=Nastavit upozornění na cenu
account.notifications.priceAlert.removeButton=Odstraňte upozornění na cenu
account.notifications.trade.message.title=Obchodní stav se změnil
account.notifications.trade.message.msg.conf=Vkladová transakce pro obchod s ID {0} je potvrzena. Otevřete prosím svou aplikaci Haveno a začněte s platbou.
account.notifications.trade.message.msg.started=Kupující BTC zahájil platbu za obchod s ID {0}.
account.notifications.trade.message.msg.started=Kupující XMR zahájil platbu za obchod s ID {0}.
account.notifications.trade.message.msg.completed=Obchod s ID {0} je dokončen.
account.notifications.offer.message.title=Vaše nabídka byla přijata
account.notifications.offer.message.msg=Vaše nabídka s ID {0} byla přijata
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=Obdrželi jste zprávu o sporu pro obc
account.notifications.marketAlert.title=Upozornění na nabídku
account.notifications.marketAlert.selectPaymentAccount=Nabídky odpovídající platebnímu účtu
account.notifications.marketAlert.offerType.label=Typ nabídky, o kterou mám zájem
account.notifications.marketAlert.offerType.buy=Nákupní nabídky (Chci prodat BTC)
account.notifications.marketAlert.offerType.sell=Prodejní nabídky (Chci si koupit BTC)
account.notifications.marketAlert.offerType.buy=Nákupní nabídky (Chci prodat XMR)
account.notifications.marketAlert.offerType.sell=Prodejní nabídky (Chci si koupit XMR)
account.notifications.marketAlert.trigger=Nabídková cenová vzdálenost (%)
account.notifications.marketAlert.trigger.info=Když je nastavena cenová vzdálenost, obdržíte upozornění pouze v případě, že je zveřejněna nabídka, která splňuje (nebo překračuje) vaše požadavky. Příklad: chcete prodat BTC, ale budete prodávat pouze s 2% přirážkou k aktuální tržní ceně. Nastavení tohoto pole na 2% zajistí, že budete dostávat upozornění pouze na nabídky s cenami, které jsou o 2% (nebo více) nad aktuální tržní cenou.
account.notifications.marketAlert.trigger.info=Když je nastavena cenová vzdálenost, obdržíte upozornění pouze v případě, že je zveřejněna nabídka, která splňuje (nebo překračuje) vaše požadavky. Příklad: chcete prodat XMR, ale budete prodávat pouze s 2% přirážkou k aktuální tržní ceně. Nastavení tohoto pole na 2% zajistí, že budete dostávat upozornění pouze na nabídky s cenami, které jsou o 2% (nebo více) nad aktuální tržní cenou.
account.notifications.marketAlert.trigger.prompt=Procentní vzdálenost od tržní ceny (např. 2,50%, -0,50% atd.)
account.notifications.marketAlert.addButton=Přidat upozornění na nabídku
account.notifications.marketAlert.manageAlertsButton=Spravovat upozornění na nabídku
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=Dostupný zůstatek
contractWindow.title=Podrobnosti o sporu
contractWindow.dates=Datum nabídky / Datum obchodu
contractWindow.btcAddresses=Bitcoinová adresa kupujícího BTC / prodávajícího BTC
contractWindow.onions=Síťová adresa kupující BTC / prodávající BTC
contractWindow.accountAge=Stáří účtu BTC kupující / BTC prodejce
contractWindow.numDisputes=Počet sporů BTC kupující / BTC prodejce
contractWindow.xmrAddresses=Moneroová adresa kupujícího XMR / prodávajícího XMR
contractWindow.onions=Síťová adresa kupující XMR / prodávající XMR
contractWindow.accountAge=Stáří účtu XMR kupující / XMR prodejce
contractWindow.numDisputes=Počet sporů XMR kupující / XMR prodejce
contractWindow.contractHash=Hash kontraktu
displayAlertMessageWindow.headline=Důležitá informace!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=Souhrn
disputeSummaryWindow.openDate=Datum otevření úkolu
disputeSummaryWindow.role=Role obchodníka
disputeSummaryWindow.payout=Výplata částky obchodu
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} dostane výplatu částky obchodu
disputeSummaryWindow.payout.getsAll=BTC {0} dostane maximální výplatu
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} dostane výplatu částky obchodu
disputeSummaryWindow.payout.getsAll=XMR {0} dostane maximální výplatu
disputeSummaryWindow.payout.custom=Vlastní výplata
disputeSummaryWindow.payoutAmount.buyer=Výše výplaty kupujícího
disputeSummaryWindow.payoutAmount.seller=Výše výplaty prodejce
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=Zavřít úkol
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket uzavřen {0}\n{1} adresa uzlu: {2}\n\nSouhrn:\nObchodní ID: {3}\nMěna: {4}\nVýše obchodu: {5}\nVýplatní částka pro kupujícího BTC: {6}\nVýplatní částka pro prodejce BTC: {7}\n\nDůvod sporu: {8}\n\nSouhrnné poznámky:\n{9}\n
disputeSummaryWindow.close.msg=Ticket uzavřen {0}\n{1} adresa uzlu: {2}\n\nSouhrn:\nObchodní ID: {3}\nMěna: {4}\nVýše obchodu: {5}\nVýplatní částka pro kupujícího XMR: {6}\nVýplatní částka pro prodejce XMR: {7}\n\nDůvod sporu: {8}\n\nSouhrnné poznámky:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1420,18 +1420,18 @@ filterWindow.mediators=Filtrovaní mediátoři (onion adresy oddělené čárkam
filterWindow.refundAgents=Filtrovaní rozhodci pro vrácení peněz (onion adresy oddělené čárkami)
filterWindow.seedNode=Filtrované seed nody (onion adresy oddělené čárkami)
filterWindow.priceRelayNode=Filtrované cenové relay nody (onion adresy oddělené čárkami)
filterWindow.xmrNode=Filtrované Bitcoinové nody (adresy+porty oddělené čárkami)
filterWindow.preventPublicXmrNetwork=Zabraňte použití veřejné bitcoinové sítě
filterWindow.xmrNode=Filtrované Moneroové nody (adresy+porty oddělené čárkami)
filterWindow.preventPublicXmrNetwork=Zabraňte použití veřejné moneroové sítě
filterWindow.disableAutoConf=Zakázat automatické potvrzení
filterWindow.autoConfExplorers=Filtrované průzkumníky s automatickým potvrzením (adresy oddělené čárkami)
filterWindow.disableTradeBelowVersion=Min. verze nutná pro obchodování
filterWindow.add=Přidat filtr
filterWindow.remove=Zrušit filtr
filterWindow.xmrFeeReceiverAddresses=Adresy příjemců poplatků BTC
filterWindow.xmrFeeReceiverAddresses=Adresy příjemců poplatků XMR
filterWindow.disableApi=Deaktivovat API
filterWindow.disableMempoolValidation=Deaktivovat validaci mempoolu
offerDetailsWindow.minBtcAmount=Min. částka BTC
offerDetailsWindow.minXmrAmount=Min. částka XMR
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(vzdálenost od tržní ceny: {0})
offerDetailsWindow.myTradingAccount=Můj obchodní účet
@ -1496,7 +1496,7 @@ tradeDetailsWindow.agentAddresses=Rozhodce/Mediátor
tradeDetailsWindow.detailData=Detailní data
txDetailsWindow.headline=Detaily transakce
txDetailsWindow.xmr.note=Poslali jste BTC.
txDetailsWindow.xmr.note=Poslali jste XMR.
txDetailsWindow.sentTo=Odesláno na
txDetailsWindow.txId=TxId
@ -1506,7 +1506,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} podle aktuální tržní ce
closedTradesSummaryWindow.totalVolume.title=Celkový objem obchodovaný v {0}
closedTradesSummaryWindow.totalMinerFee.title=Suma poplatků za těžbu
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} z celkového objemu obchodů)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Suma obchodních poplatků v BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Suma obchodních poplatků v XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} z celkového objemu obchodů)
walletPasswordWindow.headline=Pro odemknutí zadejte heslo
@ -1532,12 +1532,12 @@ torNetworkSettingWindow.bridges.header=Je Tor blokovaný?
torNetworkSettingWindow.bridges.info=Pokud je Tor zablokován vaším internetovým poskytovatelem nebo vaší zemí, můžete zkusit použít Tor mosty (bridges).\nNavštivte webovou stránku Tor na adrese: https://bridges.torproject.org/bridges, kde se dozvíte více o mostech a připojitelných přepravách.
feeOptionWindow.headline=Vyberte měnu pro platbu obchodního poplatku
feeOptionWindow.info=Můžete si vybrat, zda chcete zaplatit obchodní poplatek v BSQ nebo v BTC. Pokud zvolíte BSQ, oceníte zlevněný obchodní poplatek.
feeOptionWindow.info=Můžete si vybrat, zda chcete zaplatit obchodní poplatek v BSQ nebo v XMR. Pokud zvolíte BSQ, oceníte zlevněný obchodní poplatek.
feeOptionWindow.optionsLabel=Vyberte měnu pro platbu obchodního poplatku
feeOptionWindow.useBTC=Použít BTC
feeOptionWindow.useXMR=Použít XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,9 +1579,9 @@ popup.warning.noTradingAccountSetup.msg=Než budete moci vytvořit nabídku, mus
popup.warning.noArbitratorsAvailable=Nejsou k dispozici žádní rozhodci.
popup.warning.noMediatorsAvailable=Nejsou k dispozici žádní mediátoři.
popup.warning.notFullyConnected=Musíte počkat, až budete plně připojeni k síti.\nTo může při spuštění trvat až 2 minuty.
popup.warning.notSufficientConnectionsToBtcNetwork=Musíte počkat, až budete mít alespoň {0} připojení k bitcoinové síti.
popup.warning.downloadNotComplete=Musíte počkat, až bude stahování chybějících bitcoinových bloků kompletní.
popup.warning.chainNotSynced=Výška blockchainu peněženky Haveno není správně synchronizována. Pokud jste aplikaci spustili nedávno, počkejte, dokud nebude zveřejněn jeden blok bitcoinů.\n\nVýšku blockchainu můžete zkontrolovat v Nastavení/Informace o síti. Pokud projde více než jeden blok a tento problém přetrvává, asi být zastaven, v takovém případě byste měli provést SPV resynchonizaci. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Musíte počkat, až budete mít alespoň {0} připojení k moneroové síti.
popup.warning.downloadNotComplete=Musíte počkat, až bude stahování chybějících moneroových bloků kompletní.
popup.warning.chainNotSynced=Výška blockchainu peněženky Haveno není správně synchronizována. Pokud jste aplikaci spustili nedávno, počkejte, dokud nebude zveřejněn jeden blok moneroů.\n\nVýšku blockchainu můžete zkontrolovat v Nastavení/Informace o síti. Pokud projde více než jeden blok a tento problém přetrvává, asi být zastaven, v takovém případě byste měli provést SPV resynchonizaci. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Opravdu chcete tuto nabídku odebrat?
popup.warning.tooLargePercentageValue=Nelze nastavit procento 100% nebo větší.
popup.warning.examplePercentageValue=Zadejte procento jako číslo \"5.4\" pro 5.4%
@ -1601,13 +1601,13 @@ popup.warning.priceRelay=cenové relé
popup.warning.seed=seed
popup.warning.mandatoryUpdate.trading=Aktualizujte prosím na nejnovější verzi Haveno. Byla vydána povinná aktualizace, která zakazuje obchodování se starými verzemi. Další informace naleznete na fóru Haveno.
popup.warning.noFilter="We did not receive a filter object from the seed nodes." Toto je neočekávaná situace. Prosím upozorněte vývojáře Haveno.
popup.warning.burnBTC=Tato transakce není možná, protože poplatky za těžbu {0} by přesáhly částku převodu {1}. Počkejte prosím, dokud nebudou poplatky za těžbu opět nízké nebo dokud nenahromadíte více BTC k převodu.
popup.warning.burnXMR=Tato transakce není možná, protože poplatky za těžbu {0} by přesáhly částku převodu {1}. Počkejte prosím, dokud nebudou poplatky za těžbu opět nízké nebo dokud nenahromadíte více XMR k převodu.
popup.warning.openOffer.makerFeeTxRejected=Transakční poplatek tvůrce za nabídku s ID {0} byl bitcoinovou sítí odmítnut.\nID transakce = {1}.\nNabídka byla odstraněna, aby se předešlo dalším problémům.\nPřejděte do \"Nastavení/Informace o síti\" a proveďte synchronizaci SPV.\nPro další pomoc prosím kontaktujte podpůrný kanál v Haveno Keybase týmu.
popup.warning.openOffer.makerFeeTxRejected=Transakční poplatek tvůrce za nabídku s ID {0} byl moneroovou sítí odmítnut.\nID transakce = {1}.\nNabídka byla odstraněna, aby se předešlo dalším problémům.\nPřejděte do \"Nastavení/Informace o síti\" a proveďte synchronizaci SPV.\nPro další pomoc prosím kontaktujte podpůrný kanál v Haveno Keybase týmu.
popup.warning.trade.txRejected.tradeFee=obchodní poplatek
popup.warning.trade.txRejected.deposit=vklad
popup.warning.trade.txRejected=Bitcoinová síť odmítla {0} transakci pro obchod s ID {1}.\nID transakce = {2}\nObchod byl přesunut do neúspěšných obchodů.\nPřejděte do části \"Nastavení/Informace o síti\" a proveďte synchronizaci SPV.\nPro další pomoc prosím kontaktujte podpůrný kanál v Haveno Keybase týmu.
popup.warning.trade.txRejected=Moneroová síť odmítla {0} transakci pro obchod s ID {1}.\nID transakce = {2}\nObchod byl přesunut do neúspěšných obchodů.\nPřejděte do části \"Nastavení/Informace o síti\" a proveďte synchronizaci SPV.\nPro další pomoc prosím kontaktujte podpůrný kanál v Haveno Keybase týmu.
popup.warning.openOfferWithInvalidMakerFeeTx=Transakční poplatek tvůrce za nabídku s ID {0} je neplatný.\nID transakce = {1}.\nPřejděte do \"Nastavení/Informace o síti\" a proveďte synchronizaci SPV.\nPro další pomoc prosím kontaktujte podpůrný kanál v Haveno Keybase týmu.
@ -1622,7 +1622,7 @@ popup.warn.downGradePrevention=Downgrade z verze {0} na verzi {1} není podporov
popup.privateNotification.headline=Důležité soukromé oznámení!
popup.securityRecommendation.headline=Důležité bezpečnostní doporučení
popup.securityRecommendation.msg=Chtěli bychom vám připomenout, abyste zvážili použití ochrany heslem pro vaši peněženku, pokud jste ji již neaktivovali.\n\nDůrazně se také doporučuje zapsat seed slova peněženky. Tato seed slova jsou jako hlavní heslo pro obnovení vaší bitcoinové peněženky.\nV sekci "Seed peněženky" naleznete další informace.\n\nDále byste měli zálohovat úplnou složku dat aplikace v sekci \"Záloha\".
popup.securityRecommendation.msg=Chtěli bychom vám připomenout, abyste zvážili použití ochrany heslem pro vaši peněženku, pokud jste ji již neaktivovali.\n\nDůrazně se také doporučuje zapsat seed slova peněženky. Tato seed slova jsou jako hlavní heslo pro obnovení vaší moneroové peněženky.\nV sekci "Seed peněženky" naleznete další informace.\n\nDále byste měli zálohovat úplnou složku dat aplikace v sekci \"Záloha\".
popup.moneroLocalhostNode.msg=Haveno zjistil, že na tomto stroji (na localhostu) běží Monero node.\n\nUjistěte se, prosím, že tento node je plně synchronizován před spuštěním Havena.
@ -1677,9 +1677,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Nepodařilo se podepsat
notification.trade.headline=Oznámení o obchodu s ID {0}
notification.ticket.headline=Úkol na podporu pro obchod s ID {0}
notification.trade.completed=Obchod je nyní dokončen a můžete si vybrat své prostředky.
notification.trade.accepted=Vaše nabídka byla přijata BTC {0}.
notification.trade.accepted=Vaše nabídka byla přijata XMR {0}.
notification.trade.unlocked=Váš obchod má alespoň jedno potvrzení blockchainu.\nPlatbu můžete začít hned teď.
notification.trade.paymentSent=Kupující BTC zahájil platbu.
notification.trade.paymentSent=Kupující XMR zahájil platbu.
notification.trade.selectTrade=Vyberte obchod
notification.trade.peerOpenedDispute=Váš obchodní partner otevřel {0}.
notification.trade.disputeClosed={0} byl uzavřen.
@ -1698,7 +1698,7 @@ systemTray.show=Otevřít okno aplikace
systemTray.hide=Skrýt okno aplikace
systemTray.info=Informace o Haveno
systemTray.exit=Odejít
systemTray.tooltip=Haveno: Decentralizovaná směnárna bitcoinů
systemTray.tooltip=Haveno: Decentralizovaná směnárna moneroů
####################################################################
@ -1760,10 +1760,10 @@ peerInfo.age.noRisk=Stáří platebního účtu
peerInfo.age.chargeBackRisk=Čas od podpisu
peerInfo.unknownAge=Stáří není známo
addressTextField.openWallet=Otevřete výchozí bitcoinovou peněženku
addressTextField.openWallet=Otevřete výchozí moneroovou peněženku
addressTextField.copyToClipboard=Zkopírujte adresu do schránky
addressTextField.addressCopiedToClipboard=Adresa byla zkopírována do schránky
addressTextField.openWallet.failed=Otevření výchozí bitcoinové peněženky se nezdařilo. Možná nemáte žádnou nainstalovanou?
addressTextField.openWallet.failed=Otevření výchozí moneroové peněženky se nezdařilo. Možná nemáte žádnou nainstalovanou?
peerInfoIcon.tooltip={0}\nŠtítek: {1}
@ -1854,7 +1854,7 @@ seed.date=Datum peněženky
seed.restore.title=Obnovit peněženky z seed slov
seed.restore=Obnovit peněženky
seed.creationDate=Datum vzniku
seed.warn.walletNotEmpty.msg=Vaše bitcoinová peněženka není prázdná.\n\nTuto peněženku musíte vyprázdnit, než se pokusíte obnovit starší, protože smíchání peněženek může vést ke zneplatnění záloh.\n\nDokončete své obchody, uzavřete všechny otevřené nabídky a přejděte do sekce Prostředky, kde si můžete vybrat své bitcoiny.\nV případě, že nemáte přístup ke svým bitcoinům, můžete použít nouzový nástroj k vyprázdnění peněženky.\nNouzový nástroj otevřete stisknutím kombinace kláves \"Alt+e\" nebo \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Vaše moneroová peněženka není prázdná.\n\nTuto peněženku musíte vyprázdnit, než se pokusíte obnovit starší, protože smíchání peněženek může vést ke zneplatnění záloh.\n\nDokončete své obchody, uzavřete všechny otevřené nabídky a přejděte do sekce Prostředky, kde si můžete vybrat své moneroy.\nV případě, že nemáte přístup ke svým moneroům, můžete použít nouzový nástroj k vyprázdnění peněženky.\nNouzový nástroj otevřete stisknutím kombinace kláves \"Alt+e\" nebo \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Chci přesto obnovit
seed.warn.walletNotEmpty.emptyWallet=Nejprve vyprázdním své peněženky
seed.warn.notEncryptedAnymore=Vaše peněženky jsou šifrovány.\n\nPo obnovení již nebudou peněženky šifrovány a musíte nastavit nové heslo.\n\nChcete pokračovat?
@ -1945,12 +1945,12 @@ payment.checking=Kontrola
payment.savings=Úspory
payment.personalId=Číslo občanského průkazu
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle je služba převodu peněz, která funguje nejlépe *prostřednictvím* jiné banky.\n\n1. Na této stránce zjistěte, zda (a jak) vaše banka spolupracuje se Zelle:\n[HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Zaznamenejte si zvláštní limity převodů - limity odesílání se liší podle banky a banky často určují samostatné denní, týdenní a měsíční limity.\n\n3. Pokud vaše banka s Zelle nepracuje, můžete ji stále používat prostřednictvím mobilní aplikace Zelle, ale vaše limity převodu budou mnohem nižší.\n\n4. Název uvedený na vašem účtu Haveno MUSÍ odpovídat názvu vašeho účtu Zelle/bankovního účtu.\n\nPokud nemůžete dokončit transakci Zelle, jak je uvedeno ve vaší obchodní smlouvě, můžete ztratit část (nebo vše) ze svého bezpečnostního vkladu.\n\nVzhledem k poněkud vyššímu riziku zpětného zúčtování společnosti Zelle se prodejcům doporučuje kontaktovat nepodepsané kupující prostřednictvím e-mailu nebo SMS, aby ověřili, že kupující skutečně vlastní účet Zelle uvedený v Haveno.
payment.fasterPayments.newRequirements.info=Některé banky začaly ověřovat celé jméno příjemce pro převody Faster Payments. Váš současný účet Faster Payments nepožadoval celé jméno.\n\nZvažte prosím znovu vytvoření svého Faster Payments účtu v Havenou, abyste mohli budoucím kupujícím {0} poskytnout celé jméno.\n\nPři opětovném vytvoření účtu nezapomeňte zkopírovat přesný kód řazení, číslo účtu a hodnoty soli (salt) pro ověření věku ze starého účtu do nového účtu. Tím zajistíte zachování stáří a stavu vašeho stávajícího účtu.
payment.moneyGram.info=Při používání MoneyGram musí BTC kupující zaslat autorizační číslo a fotografii potvrzení e-mailem prodejci BTC. Potvrzení musí jasně uvádět celé jméno prodejce, zemi, stát a částku. E-mail prodávajícího se kupujícímu zobrazí během procesu obchodování.
payment.westernUnion.info=Při používání služby Western Union musí kupující BTC zaslat prodejci BTC e-mailem MTCN (sledovací číslo) a fotografii potvrzení. Potvrzení musí jasně uvádět celé jméno prodejce, město, zemi a částku. E-mail prodávajícího se kupujícímu zobrazí během procesu obchodování.
payment.halCash.info=Při používání HalCash musí kupující BTC poslat prodejci BTC kód HalCash prostřednictvím textové zprávy z mobilního telefonu.\n\nUjistěte se, že nepřekračujete maximální částku, kterou vám banka umožňuje odesílat pomocí HalCash. Min. částka za výběr je 10 EUR a max. částka je 600 EUR. Pro opakované výběry je to 3000 EUR za příjemce za den a 6000 EUR za příjemce za měsíc. Zkontrolujte prosím tyto limity u své banky, abyste se ujistili, že používají stejné limity, jaké jsou zde uvedeny.\n\nČástka pro výběr musí být násobkem 10 EUR, protože z bankomatu nemůžete vybrat jiné částky. Uživatelské rozhraní na obrazovce vytvořit-nabídku and přijmout-nabídku upraví částku BTC tak, aby částka EUR byla správná. Nemůžete použít tržní cenu, protože částka v EURECH se mění s měnícími se cenami.\n\nV případě sporu musí kupující BTC poskytnout důkaz, že zaslal EURA.
payment.moneyGram.info=Při používání MoneyGram musí XMR kupující zaslat autorizační číslo a fotografii potvrzení e-mailem prodejci XMR. Potvrzení musí jasně uvádět celé jméno prodejce, zemi, stát a částku. E-mail prodávajícího se kupujícímu zobrazí během procesu obchodování.
payment.westernUnion.info=Při používání služby Western Union musí kupující XMR zaslat prodejci XMR e-mailem MTCN (sledovací číslo) a fotografii potvrzení. Potvrzení musí jasně uvádět celé jméno prodejce, město, zemi a částku. E-mail prodávajícího se kupujícímu zobrazí během procesu obchodování.
payment.halCash.info=Při používání HalCash musí kupující XMR poslat prodejci XMR kód HalCash prostřednictvím textové zprávy z mobilního telefonu.\n\nUjistěte se, že nepřekračujete maximální částku, kterou vám banka umožňuje odesílat pomocí HalCash. Min. částka za výběr je 10 EUR a max. částka je 600 EUR. Pro opakované výběry je to 3000 EUR za příjemce za den a 6000 EUR za příjemce za měsíc. Zkontrolujte prosím tyto limity u své banky, abyste se ujistili, že používají stejné limity, jaké jsou zde uvedeny.\n\nČástka pro výběr musí být násobkem 10 EUR, protože z bankomatu nemůžete vybrat jiné částky. Uživatelské rozhraní na obrazovce vytvořit-nabídku and přijmout-nabídku upraví částku XMR tak, aby částka EUR byla správná. Nemůžete použít tržní cenu, protože částka v EURECH se mění s měnícími se cenami.\n\nV případě sporu musí kupující XMR poskytnout důkaz, že zaslal EURA.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Uvědomte si, že u všech bankovních převodů existuje určité riziko zpětného zúčtování. Aby se toto riziko zmírnilo, stanoví Haveno limity pro jednotlivé obchody na základě odhadované úrovně rizika zpětného zúčtování pro použitou platební metodu.\n\nU této platební metody je váš limit pro jednotlivé obchody pro nákup a prodej {2}.\n\nToto omezení se vztahuje pouze na velikost jednoho obchodu - můžete zadat tolik obchodů, kolik chcete.\n\nDalší podrobnosti najdete na wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1966,7 +1966,7 @@ payment.amazonGiftCard.upgrade=Platba kartou Amazon eGift nyní vyžaduje také
payment.account.amazonGiftCard.addCountryInfo={0}\nVáš stávající účet pro platbu kartou Amazon eGift ({1}) nemá nastavenou zemi.\nVyberte prosím zemi, ve které je možné vaše karty Amazon eGift uplatnit.\nTato aktualizace vašeho účtu nebude mít vliv na stáří tohoto účtu.
payment.amazonGiftCard.upgrade.headLine=Aktualizace účtu pro platbu kartou Amazon eGift
payment.usPostalMoneyOrder.info=Obchodování pomocí amerických poštovních poukázek (USPMO) na Haveno vyžaduje, abyste rozuměli následujícímu:\n\n- Kupující BTC musí před odesláním napsat jméno prodejce BTC do polí plátce i příjemce a pořídit fotografii USPMO a obálku s dokladem o sledování ve vysokém rozlišení.\n- Kupující BTC musí odeslat USPMO prodejci BTC s potvrzením dodávky.\n\nV případě, že je nutná mediace, nebo pokud dojde k obchodnímu sporu, budete povinni poslat fotografie mediátorovi Haveno nebo zástupci pro vrácení peněz spolu s pořadovým číslem USPMO, číslem pošty a částkou dolaru, aby mohli ověřit podrobnosti na webu US Post Office.\n\nNeposkytnutí požadovaných informací mediátorovi nebo arbitrovi bude mít za následek ztrátu případu sporu.\n\nVe všech sporných případech nese odesílatel USPMO 100% břemeno odpovědnosti za poskytnutí důkazů mediátorovi nebo arbitrovi.\n\nPokud těmto požadavkům nerozumíte, neobchodujte pomocí USPMO na Haveno.
payment.usPostalMoneyOrder.info=Obchodování pomocí amerických poštovních poukázek (USPMO) na Haveno vyžaduje, abyste rozuměli následujícímu:\n\n- Kupující XMR musí před odesláním napsat jméno prodejce XMR do polí plátce i příjemce a pořídit fotografii USPMO a obálku s dokladem o sledování ve vysokém rozlišení.\n- Kupující XMR musí odeslat USPMO prodejci XMR s potvrzením dodávky.\n\nV případě, že je nutná mediace, nebo pokud dojde k obchodnímu sporu, budete povinni poslat fotografie mediátorovi Haveno nebo zástupci pro vrácení peněz spolu s pořadovým číslem USPMO, číslem pošty a částkou dolaru, aby mohli ověřit podrobnosti na webu US Post Office.\n\nNeposkytnutí požadovaných informací mediátorovi nebo arbitrovi bude mít za následek ztrátu případu sporu.\n\nVe všech sporných případech nese odesílatel USPMO 100% břemeno odpovědnosti za poskytnutí důkazů mediátorovi nebo arbitrovi.\n\nPokud těmto požadavkům nerozumíte, neobchodujte pomocí USPMO na Haveno.
payment.payByMail.contact=Kontaktní informace
payment.payByMail.contact.prompt=Obálka se jménem nebo pseudonymem by měla být adresována
@ -1977,7 +1977,7 @@ payment.f2f.city.prompt=Město se zobrazí s nabídkou
payment.shared.optionalExtra=Volitelné další informace
payment.shared.extraInfo=Dodatečné informace
payment.shared.extraInfo.prompt=Uveďte jakékoli speciální požadavky, podmínky a detaily, které chcete zobrazit u vašich nabídek s tímto platebním účtem. (Uživatelé uvidí tyto informace předtím, než akceptují vaši nabídku.)
payment.f2f.info=Obchody „tváří v tvář“ mají různá pravidla a přicházejí s jinými riziky než online transakce.\n\nHlavní rozdíly jsou:\n● Obchodní partneři si musí vyměňovat informace o místě a čase schůzky pomocí poskytnutých kontaktních údajů.\n● Obchodní partneři musí přinést své notebooky a na místě setkání potvrdit „platba odeslána“ a „platba přijata“.\n● Pokud má tvůrce speciální „podmínky“, musí uvést podmínky v textovém poli „Další informace“ na účtu.\n● Přijetím nabídky zadavatel souhlasí s uvedenými „podmínkami a podmínkami“ tvůrce.\n● V případě sporu nemůže být mediátor nebo rozhodce příliš nápomocný, protože je obvykle obtížné získat důkazy o tom, co se na schůzce stalo. V takových případech mohou být prostředky BTC uzamčeny na dobu neurčitou nebo dokud se obchodní partneři nedohodnou.\n\nAbyste si byli jisti, že plně rozumíte rozdílům v obchodech „tváří v tvář“, přečtěte si pokyny a doporučení na adrese: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info=Obchody „tváří v tvář“ mají různá pravidla a přicházejí s jinými riziky než online transakce.\n\nHlavní rozdíly jsou:\n● Obchodní partneři si musí vyměňovat informace o místě a čase schůzky pomocí poskytnutých kontaktních údajů.\n● Obchodní partneři musí přinést své notebooky a na místě setkání potvrdit „platba odeslána“ a „platba přijata“.\n● Pokud má tvůrce speciální „podmínky“, musí uvést podmínky v textovém poli „Další informace“ na účtu.\n● Přijetím nabídky zadavatel souhlasí s uvedenými „podmínkami a podmínkami“ tvůrce.\n● V případě sporu nemůže být mediátor nebo rozhodce příliš nápomocný, protože je obvykle obtížné získat důkazy o tom, co se na schůzce stalo. V takových případech mohou být prostředky XMR uzamčeny na dobu neurčitou nebo dokud se obchodní partneři nedohodnou.\n\nAbyste si byli jisti, že plně rozumíte rozdílům v obchodech „tváří v tvář“, přečtěte si pokyny a doporučení na adrese: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Otevřít webovou stránku
payment.f2f.offerbook.tooltip.countryAndCity=Země a město: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Další informace: {0}
@ -1989,7 +1989,7 @@ payment.japan.recipient=Jméno
payment.australia.payid=PayID
payment.payid=PayID spojené s finanční institucí. Jako e-mailová adresa nebo mobilní telefon.
payment.payid.info=PayID jako telefonní číslo, e-mailová adresa nebo australské obchodní číslo (ABN), které můžete bezpečně propojit se svou bankou, družstevní záložnou nebo účtem stavební spořitelny. Musíte mít již vytvořený PayID u své australské finanční instituce. Odesílající i přijímající finanční instituce musí podporovat PayID. Další informace najdete na [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=Chcete-li platit dárkovou kartou Amazon eGift, budete muset prodejci BTC poslat kartu Amazon eGift přes svůj účet Amazon.\n\nHaveno zobrazí e-mail nebo mobilní číslo prodejce BTC, kam bude potřeba odeslat tuto dárkovou kartu. Na kartě ve zprávě pro příjemce musí být uvedeno ID obchodu. Pro další detaily a rady viz wiki: [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card].\n\nZde jsou tři důležité poznámky:\n- Preferujte dárkové karty v hodnotě do 100 USD, protože Amazon může považovat nákupy karet s vyššími částkami jako podezřelé a zablokovat je.\n- Na kartě do zprávy pro příjemce můžete přidat i vlastní originální text (např. "Happy birthday Susan!") spolu s ID obchodu. (V takovém případě o tom informujte protistranu pomocí obchodovacího chatu, aby mohli s jistotou ověřit, že obdržená dárková karta pochází od vás.)\n- Karty Amazon eGift lze uplatnit pouze na té stránce Amazon, na které byly také koupeny (např. karta koupená na amazon.it může být uplatněna zase jen na amazon.it).
payment.amazonGiftCard.info=Chcete-li platit dárkovou kartou Amazon eGift, budete muset prodejci XMR poslat kartu Amazon eGift přes svůj účet Amazon.\n\nHaveno zobrazí e-mail nebo mobilní číslo prodejce XMR, kam bude potřeba odeslat tuto dárkovou kartu. Na kartě ve zprávě pro příjemce musí být uvedeno ID obchodu. Pro další detaily a rady viz wiki: [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card].\n\nZde jsou tři důležité poznámky:\n- Preferujte dárkové karty v hodnotě do 100 USD, protože Amazon může považovat nákupy karet s vyššími částkami jako podezřelé a zablokovat je.\n- Na kartě do zprávy pro příjemce můžete přidat i vlastní originální text (např. "Happy birthday Susan!") spolu s ID obchodu. (V takovém případě o tom informujte protistranu pomocí obchodovacího chatu, aby mohli s jistotou ověřit, že obdržená dárková karta pochází od vás.)\n- Karty Amazon eGift lze uplatnit pouze na té stránce Amazon, na které byly také koupeny (např. karta koupená na amazon.it může být uplatněna zase jen na amazon.it).
# We use constants from the code so we do not use our normal naming convention
@ -2147,7 +2147,7 @@ validation.zero=Vstup 0 není povolen.
validation.negative=Záporná hodnota není povolena.
validation.traditional.tooSmall=Vstup menší než minimální možné množství není povolen.
validation.traditional.tooLarge=Vstup větší než maximální možné množství není povolen.
validation.xmr.fraction=Zadání povede k hodnotě bitcoinu menší než 1 satoshi
validation.xmr.fraction=Zadání povede k hodnotě monerou menší než 1 satoshi
validation.xmr.tooLarge=Vstup větší než {0} není povolen.
validation.xmr.tooSmall=Vstup menší než {0} není povolen.
validation.passwordTooShort=Zadané heslo je příliš krátké. Musí mít min. 8 znaků.
@ -2157,10 +2157,10 @@ validation.sortCodeChars={0} musí obsahovat {1} znaků.
validation.bankIdNumber={0} se musí skládat z {1} čísel.
validation.accountNr=Číslo účtu se musí skládat z {0} čísel.
validation.accountNrChars=Číslo účtu musí obsahovat {0} znaků.
validation.btc.invalidAddress=Adresa není správná. Zkontrolujte formát adresy.
validation.xmr.invalidAddress=Adresa není správná. Zkontrolujte formát adresy.
validation.integerOnly=Zadejte pouze celá čísla.
validation.inputError=Váš vstup způsobil chybu:\n{0}
validation.btc.exceedsMaxTradeLimit=Váš obchodní limit je {0}.
validation.xmr.exceedsMaxTradeLimit=Váš obchodní limit je {0}.
validation.nationalAccountId={0} se musí skládat z {1} čísel.
#new
@ -2181,7 +2181,7 @@ validation.bic.letters=Banka a kód země musí být písmena
validation.bic.invalidLocationCode=BIC obsahuje neplatný location kód
validation.bic.invalidBranchCode=BIC obsahuje neplatný kód pobočky
validation.bic.sepaRevolutBic=Účty Revolut Sepa nejsou podporovány.
validation.btc.invalidFormat=Neplatný formát bitcoinové adresy.
validation.btc.invalidFormat=Neplatný formát adresy Bitcoin.
validation.email.invalidAddress=Neplatná adresa
validation.iban.invalidCountryCode=Kód země je neplatný
validation.iban.checkSumNotNumeric=Kontrolní součet musí být číselný

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Ich verstehe
shared.na=N/A
shared.shutDown=Herunterfahren
shared.reportBug=Fehler auf GitHub melden
shared.buyBitcoin=Bitcoin kaufen
shared.sellBitcoin=Bitcoin verkaufen
shared.buyMonero=Monero kaufen
shared.sellMonero=Monero verkaufen
shared.buyCurrency={0} kaufen
shared.sellCurrency={0} verkaufen
shared.buyingBTCWith=kaufe BTC mit {0}
shared.sellingBTCFor=verkaufe BTC für {0}
shared.buyingCurrency=kaufe {0} (verkaufe BTC)
shared.sellingCurrency=verkaufe {0} (kaufe BTC)
shared.buyingXMRWith=kaufe XMR mit {0}
shared.sellingXMRFor=verkaufe XMR für {0}
shared.buyingCurrency=kaufe {0} (verkaufe XMR)
shared.sellingCurrency=verkaufe {0} (kaufe XMR)
shared.buy=kaufen
shared.sell=verkaufen
shared.buying=kaufe
@ -93,7 +93,7 @@ shared.amountMinMax=Betrag (min - max)
shared.amountHelp=Wurde für ein Angebot ein minimaler und maximaler Betrag gesetzt, können Sie jeden Betrag innerhalb dieses Bereiches handeln.
shared.remove=Entfernen
shared.goTo=Zu {0} gehen
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Angebot entfernen
shared.dontRemoveOffer=Angebot nicht entfernen
shared.editOffer=Angebot bearbeiten
@ -105,14 +105,14 @@ shared.nextStep=Nächster Schritt
shared.selectTradingAccount=Handelskonto auswählen
shared.fundFromSavingsWalletButton=Gelder aus Haveno-Wallet überweisen
shared.fundFromExternalWalletButton=Ihre externe Wallet zum Finanzieren öffnen
shared.openDefaultWalletFailed=Das Öffnen des Standardprogramms für Bitcoin-Wallets ist fehlgeschlagen. Sind Sie sicher, dass Sie eines installiert haben?
shared.openDefaultWalletFailed=Das Öffnen des Standardprogramms für Monero-Wallets ist fehlgeschlagen. Sind Sie sicher, dass Sie eines installiert haben?
shared.belowInPercent=% unter dem Marktpreis
shared.aboveInPercent=% über dem Marktpreis
shared.enterPercentageValue=%-Wert eingeben
shared.OR=ODER
shared.notEnoughFunds=Für diese Transaktion haben Sie nicht genug Gelder in Ihrem Haveno-Wallet—{0} werden benötigt, aber nur {1} sind verfügbar.\n\nBitte fügen Sie Gelder aus einer externen Wallet hinzu, oder senden Sie Gelder an Ihr Haveno-Wallet unter Gelder > Gelder erhalten.
shared.waitingForFunds=Warte auf Gelder...
shared.TheBTCBuyer=Der BTC-Käufer
shared.TheXMRBuyer=Der XMR-Käufer
shared.You=Sie
shared.sendingConfirmation=Sende Bestätigung...
shared.sendingConfirmationAgain=Bitte senden Sie die Bestätigung erneut
@ -125,7 +125,7 @@ shared.notUsedYet=Noch ungenutzt
shared.date=Datum
shared.sendFundsDetailsWithFee=Gesendet: {0}\nVon Adresse: {1}\nAn Empfangsadresse: {2}.\nBenötigte Mining-Gebühr ist: {3} ({4} satoshis/vbyte)\nTransaktionsgröße (vsize): {5} vKb\n\nDer Empfänger erhält: {6}\n\nSind Sie sicher, dass Sie diesen Betrag abheben wollen?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Diese Transaktion würde ein Wechselgeld erzeugen das unterhalb des Dust-Grenzwerts liegt (und daher von den Bitcoin-Konsensregeln nicht erlaubt wäre). Stattdessen wird dieser Dust ({0} Satoshi{1}) der Mining-Gebühr hinzugefügt.\n\n\n
shared.sendFundsDetailsDust=Diese Transaktion würde ein Wechselgeld erzeugen das unterhalb des Dust-Grenzwerts liegt (und daher von den Monero-Konsensregeln nicht erlaubt wäre). Stattdessen wird dieser Dust ({0} Satoshi{1}) der Mining-Gebühr hinzugefügt.\n\n\n
shared.copyToClipboard=In Zwischenablage kopieren
shared.language=Sprache
shared.country=Land
@ -169,7 +169,7 @@ shared.payoutTxId=Transaktions-ID der Auszahlung
shared.contractAsJson=Vertrag im JSON-Format
shared.viewContractAsJson=Vertrag im JSON-Format ansehen
shared.contract.title=Vertrag für den Handel mit der ID: {0}
shared.paymentDetails=Zahlungsdetails des BTC-{0}
shared.paymentDetails=Zahlungsdetails des XMR-{0}
shared.securityDeposit=Kaution
shared.yourSecurityDeposit=Ihre Kaution
shared.contract=Vertrag
@ -179,7 +179,7 @@ shared.messageSendingFailed=Versenden der Nachricht fehlgeschlagen. Fehler: {0}
shared.unlock=Entsperren
shared.toReceive=erhalten
shared.toSpend=ausgeben
shared.btcAmount=BTC-Betrag
shared.xmrAmount=XMR-Betrag
shared.yourLanguage=Ihre Sprachen
shared.addLanguage=Sprache hinzufügen
shared.total=Insgesamt
@ -226,8 +226,8 @@ shared.enabled=Aktiviert
####################################################################
mainView.menu.market=Markt
mainView.menu.buyBtc=BTC kaufen
mainView.menu.sellBtc=BTC verkaufen
mainView.menu.buyXmr=XMR kaufen
mainView.menu.sellXmr=XMR verkaufen
mainView.menu.portfolio=Portfolio
mainView.menu.funds=Gelder
mainView.menu.support=Support
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Reserviert
mainView.balance.pending.short=Gesperrt
mainView.footer.usingTor=(über Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Aktuelle Gebühr: {0} sat/vB
mainView.footer.xmrInfo.initializing=Verbindung mit Bitcoin-Netzwerk wird hergestellt
mainView.footer.xmrFeeRate=/ Aktuelle Gebühr: {0} sat/vB
mainView.footer.xmrInfo.initializing=Verbindung mit Monero-Netzwerk wird hergestellt
mainView.footer.xmrInfo.synchronizingWith=Synchronisierung mit {0} bei Block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synchronisierung mit {0} bei Block {1}
mainView.footer.xmrInfo.connectingTo=Verbinde mit
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Bootstrapping zum Haveno-Netz
mainView.p2pNetworkWarnMsg.noNodesAvailable=Es sind keine Seed-Knoten oder bestehenden Peers verfügbar, um Daten anzufordern.\nÜberprüfen Sie bitte Ihre Internetverbindung oder versuchen Sie die Anwendung neu zu starten.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Verbinden mit Haveno-Netzwerk fehlgeschlagen (gemeldeter Fehler: {0}).\nBitte überprüfen Sie Ihre Internetverbindungen oder versuchen Sie die Anwendung neu zu starten.
mainView.walletServiceErrorMsg.timeout=Verbindung mit Bitcoin-Netzwerk aufgrund einer Zeitüberschreitung fehlgeschlagen.
mainView.walletServiceErrorMsg.connectionError=Verbindung mit Bitcoin-Netzwerk aufgrund eines Fehlers fehlgeschlagen: {0}
mainView.walletServiceErrorMsg.timeout=Verbindung mit Monero-Netzwerk aufgrund einer Zeitüberschreitung fehlgeschlagen.
mainView.walletServiceErrorMsg.connectionError=Verbindung mit Monero-Netzwerk aufgrund eines Fehlers fehlgeschlagen: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Eine Transaktion wurde aus dem Netzwerk abgelehnt.\n\n{0}
mainView.networkWarning.allConnectionsLost=Sie haben die Verbindung zu allen {0} Netzwerk-Peers verloren.\nMöglicherweise haben Sie Ihre Internetverbindung verloren oder Ihr Computer war im Standbymodus.
mainView.networkWarning.localhostBitcoinLost=Sie haben die Verbindung zum localhost Bitcoinknoten verloren.\nBitte starten Sie die Haveno Anwendung neu, um mit anderen Bitcoinknoten zu verbinden oder starten Sie den localhost Bitcoinknoten neu.
mainView.networkWarning.localhostMoneroLost=Sie haben die Verbindung zum localhost Moneroknoten verloren.\nBitte starten Sie die Haveno Anwendung neu, um mit anderen Moneroknoten zu verbinden oder starten Sie den localhost Moneroknoten neu.
mainView.version.update=(Update verfügbar)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional={0} kaufen
market.offerBook.sellWithTraditional={0} verkaufen
market.offerBook.sellOffersHeaderLabel=Verkaufe {0} an
market.offerBook.buyOffersHeaderLabel=Kaufe {0} von
market.offerBook.buy=Ich möchte Bitcoins kaufen
market.offerBook.sell=Ich möchte Bitcoins verkaufen
market.offerBook.buy=Ich möchte Moneros kaufen
market.offerBook.sell=Ich möchte Moneros verkaufen
# SpreadView
market.spread.numberOfOffersColumn=Alle Angebote ({0})
market.spread.numberOfBuyOffersColumn=BTC kaufen ({0})
market.spread.numberOfSellOffersColumn=BTC verkaufen ({0})
market.spread.totalAmountColumn=BTC insgesamt ({0})
market.spread.numberOfBuyOffersColumn=XMR kaufen ({0})
market.spread.numberOfSellOffersColumn=XMR verkaufen ({0})
market.spread.totalAmountColumn=XMR insgesamt ({0})
market.spread.spreadColumn=Verteilung
market.spread.expanded=Erweiterte Ansicht
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto Konten haben keine Merkmale wie Unterzeichnun
offerbook.nrOffers=Anzahl der Angebote: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Kaution BTC (%)
offerbook.deposit=Kaution XMR (%)
offerbook.deposit.help=Kaution die von beiden Handelspartnern bezahlt werden muss, um den Handel abzusichern. Wird zurückgezahlt, wenn der Handel erfolgreich abgeschlossen wurde.
offerbook.createOfferToBuy=Neues Angebot erstellen, um {0} zu kaufen
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=Der Betrag wurde gerundet, um die Privatsphäre
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Betrag in BTC eingeben
createOffer.amount.prompt=Betrag in XMR eingeben
createOffer.price.prompt=Preis eingeben
createOffer.volume.prompt=Betrag in {0} eingeben
createOffer.amountPriceBox.amountDescription=Betrag in BTC zu {0}
createOffer.amountPriceBox.amountDescription=Betrag in XMR zu {0}
createOffer.amountPriceBox.buy.volumeDescription=Auszugebender Betrag in {0}
createOffer.amountPriceBox.sell.volumeDescription=Zu erhaltender Betrag in {0}
createOffer.amountPriceBox.minAmountDescription=Minimaler Betrag in BTC
createOffer.amountPriceBox.minAmountDescription=Minimaler Betrag in XMR
createOffer.securityDeposit.prompt=Kaution
createOffer.fundsBox.title=Ihr Angebot finanzieren
createOffer.fundsBox.offerFee=Handelsgebühr
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Sie erhalten immer {0}% mehr als der aktue
createOffer.info.buyBelowMarketPrice=Sie zahlen immer {0}% weniger als der aktuelle Marktpreis, da ihr Angebot ständig aktualisiert wird.
createOffer.warning.sellBelowMarketPrice=Sie erhalten immer {0}% weniger als der aktuelle Marktpreis, da ihr Angebot ständig aktualisiert wird.
createOffer.warning.buyAboveMarketPrice=Sie zahlen immer {0}% mehr als der aktuelle Marktpreis, da ihr Angebot ständig aktualisiert wird.
createOffer.tradeFee.descriptionBTCOnly=Handelsgebühr
createOffer.tradeFee.descriptionXMROnly=Handelsgebühr
createOffer.tradeFee.descriptionBSQEnabled=Gebührenwährung festlegen
createOffer.triggerPrice.prompt=Auslösepreis (optional)
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Min. Kaution des Käufers wird verwendet
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Betrag in BTC eingeben
takeOffer.amountPriceBox.buy.amountDescription=Betrag in BTC zu verkaufen
takeOffer.amountPriceBox.sell.amountDescription=Betrag in BTC zu kaufen
takeOffer.amountPriceBox.priceDescription=Preis pro Bitcoin in {0}
takeOffer.amount.prompt=Betrag in XMR eingeben
takeOffer.amountPriceBox.buy.amountDescription=Betrag in XMR zu verkaufen
takeOffer.amountPriceBox.sell.amountDescription=Betrag in XMR zu kaufen
takeOffer.amountPriceBox.priceDescription=Preis pro Monero in {0}
takeOffer.amountPriceBox.amountRangeDescription=Mögliche Betragsspanne
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=Der eingegebene Betrag besitzt zu viele Nachkommastellen.\nDer Betrag wurde auf 4 Nachkommastellen angepasst.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=Der eingegebene Betrag besitzt zu viele Nachkommastellen.\nDer Betrag wurde auf 4 Nachkommastellen angepasst.
takeOffer.validation.amountSmallerThanMinAmount=Der Betrag kann nicht kleiner als der im Angebot festgelegte minimale Betrag sein.
takeOffer.validation.amountLargerThanOfferAmount=Der eingegebene Betrag kann nicht größer als der im Angebot festgelegte Betrag sein.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Der eingegebene Betrag würde Staub als Wechselgeld für den BTC-Verkäufer erzeugen.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Der eingegebene Betrag würde Staub als Wechselgeld für den XMR-Verkäufer erzeugen.
takeOffer.fundsBox.title=Ihren Handel finanzieren
takeOffer.fundsBox.isOfferAvailable=Verfügbarkeit des Angebots wird überprüft ...
takeOffer.fundsBox.tradeAmount=Zu verkaufender Betrag
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=Die Kautionstransaktion ist noch nicht be
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Ihr Handel hat mindestens eine Blockchain-Bestätigung erreicht.\n\n
portfolio.pending.step2_buyer.refTextWarn=Wichtig: Wenn Sie die Zahlung durchführen, lassen Sie das Feld \"Verwendungszweck\" leer. Geben Sie NICHT die Handels-ID oder einen anderen Text wie 'Bitcoin', 'BTC' oder 'Haveno' an. Sie können im Handels-Chat gerne besprechen ob ein alternativer \"Verwendungszweck\" für Sie beide zweckmäßig wäre.
portfolio.pending.step2_buyer.refTextWarn=Wichtig: Wenn Sie die Zahlung durchführen, lassen Sie das Feld \"Verwendungszweck\" leer. Geben Sie NICHT die Handels-ID oder einen anderen Text wie 'Monero', 'XMR' oder 'Haveno' an. Sie können im Handels-Chat gerne besprechen ob ein alternativer \"Verwendungszweck\" für Sie beide zweckmäßig wäre.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=Sollte Ihre Bank irgendwelche Gebühren für die Überweisung erheben, müssen Sie diese Gebühren bezahlen.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Bitte überweisen Sie von Ihrer externen {0}-Wallet\n{1} an den BTC-Verkäufer.\n\n
portfolio.pending.step2_buyer.crypto=Bitte überweisen Sie von Ihrer externen {0}-Wallet\n{1} an den XMR-Verkäufer.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Bitte gehen Sie zu einer Bank und zahlen Sie {0} an den BTC-Verkäufer.\n\n
portfolio.pending.step2_buyer.cash.extra=WICHTIGE VORAUSSETZUNG:\nNachdem Sie die Zahlung getätigt haben, schreiben Sie auf die Quittung: NO REFUNDS.\nReißen Sie diese in zwei Teile und machen Sie ein Foto, das Sie an die E-Mail-Adresse des BTC-Verkäufers senden.
portfolio.pending.step2_buyer.cash=Bitte gehen Sie zu einer Bank und zahlen Sie {0} an den XMR-Verkäufer.\n\n
portfolio.pending.step2_buyer.cash.extra=WICHTIGE VORAUSSETZUNG:\nNachdem Sie die Zahlung getätigt haben, schreiben Sie auf die Quittung: NO REFUNDS.\nReißen Sie diese in zwei Teile und machen Sie ein Foto, das Sie an die E-Mail-Adresse des XMR-Verkäufers senden.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Bitte zahlen Sie {0} an den BTC-Verkäufer mit MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=WICHTIGE VORAUSSETZUNG: \nNachdem Sie die Zahlung getätigt haben, senden Sie die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail an den BTC-Verkäufer.\nDie Quittung muss den vollständigen Namen, das Land, Bundesland des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.
portfolio.pending.step2_buyer.moneyGram=Bitte zahlen Sie {0} an den XMR-Verkäufer mit MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=WICHTIGE VORAUSSETZUNG: \nNachdem Sie die Zahlung getätigt haben, senden Sie die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail an den XMR-Verkäufer.\nDie Quittung muss den vollständigen Namen, das Land, Bundesland des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Bitte zahlen Sie {0} an den BTC-Verkäufer mit Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=WICHTIGE VORAUSSETZUNG: \nNachdem Sie die Zahlung getätigt haben, senden Sie die MTCN (Tracking-Nummer) und ein Foto der Quittung per E-Mail an den BTC-Verkäufer.\nDie Quittung muss den vollständigen Namen, die Stadt, das Land des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.
portfolio.pending.step2_buyer.westernUnion=Bitte zahlen Sie {0} an den XMR-Verkäufer mit Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=WICHTIGE VORAUSSETZUNG: \nNachdem Sie die Zahlung getätigt haben, senden Sie die MTCN (Tracking-Nummer) und ein Foto der Quittung per E-Mail an den XMR-Verkäufer.\nDie Quittung muss den vollständigen Namen, die Stadt, das Land des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Bitte senden Sie {0} per \"US Postal Money Order\" an den BTC-Verkäufer.\n\n
portfolio.pending.step2_buyer.postal=Bitte senden Sie {0} per \"US Postal Money Order\" an den XMR-Verkäufer.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Bitte schicken Sie {0} Bargeld per Post an den BTC Verkäufer. Genaue Anweisungen finden Sie im Handelsvertrag, oder Sie stellen über den Handels-Chat Fragen, wenn etwas unklar ist. Weitere Informationen über \"Bargeld per Post\" finden Sie im Haveno-Wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Bitte schicken Sie {0} Bargeld per Post an den XMR Verkäufer. Genaue Anweisungen finden Sie im Handelsvertrag, oder Sie stellen über den Handels-Chat Fragen, wenn etwas unklar ist. Weitere Informationen über \"Bargeld per Post\" finden Sie im Haveno-Wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Bitte zahlen Sie {0} mit der gewählten Zahlungsmethode an den BTC Verkäufer. Sie finden die Konto Details des Verkäufers im nächsten Fenster.\n\n
portfolio.pending.step2_buyer.pay=Bitte zahlen Sie {0} mit der gewählten Zahlungsmethode an den XMR Verkäufer. Sie finden die Konto Details des Verkäufers im nächsten Fenster.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Bitte kontaktieren Sie den BTC-Verkäufer, mit den bereitgestellten Daten und organisieren Sie ein Treffen um {0} zu zahlen.\n\n
portfolio.pending.step2_buyer.f2f=Bitte kontaktieren Sie den XMR-Verkäufer, mit den bereitgestellten Daten und organisieren Sie ein Treffen um {0} zu zahlen.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Zahlung per {0} beginnen
portfolio.pending.step2_buyer.recipientsAccountData=Empfänger {0}
portfolio.pending.step2_buyer.amountToTransfer=Zu überweisender Betrag
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=Ihr zu verwendendes Zahlungskonto
portfolio.pending.step2_buyer.paymentSent=Zahlung begonnen
portfolio.pending.step2_buyer.warn=Sie haben Ihre {0} Zahlung noch nicht getätigt!\nBeachten Sie bitte, dass der Handel bis {1} abgeschlossen werden muss.
portfolio.pending.step2_buyer.openForDispute=Sie haben Ihre Zahlung noch nicht abgeschlossen!\nDie maximale Frist für den Handel ist abgelaufen, bitte wenden Sie sich an den Vermittler, um Hilfe zu erhalten.
portfolio.pending.step2_buyer.paperReceipt.headline=Haben Sie die Quittung an den BTC-Verkäufer gesendet?
portfolio.pending.step2_buyer.paperReceipt.msg=Erinnerung:\nSie müssen folgendes auf die Quittung schreiben: NO REFUNDS.\nZerreißen Sie diese dann in zwei Teile und machen Sie ein Foto, das Sie an die E-Mail-Adresse des BTC-Verkäufers senden.
portfolio.pending.step2_buyer.paperReceipt.headline=Haben Sie die Quittung an den XMR-Verkäufer gesendet?
portfolio.pending.step2_buyer.paperReceipt.msg=Erinnerung:\nSie müssen folgendes auf die Quittung schreiben: NO REFUNDS.\nZerreißen Sie diese dann in zwei Teile und machen Sie ein Foto, das Sie an die E-Mail-Adresse des XMR-Verkäufers senden.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Authorisierungs-Nummer und Quittung senden
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Sie müssen die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail an den BTC-Verkäufer senden.\nDie Quittung muss den vollständigen Namen, das Land, das Bundesland des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.\n\nHaben Sie die Authorisierungs-Nummer und Vertragt an den Verkäufer gesendet?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Sie müssen die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail an den XMR-Verkäufer senden.\nDie Quittung muss den vollständigen Namen, das Land, das Bundesland des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.\n\nHaben Sie die Authorisierungs-Nummer und Vertragt an den Verkäufer gesendet?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=MTCN und Quittung senden
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Sie müssen die MTCN (Tracking-Nummer) und ein Foto der Quittung per E-Mail an den BTC-Verkäufer senden.\nDie Quittung muss den vollständigen Namen, die Stadt, das Land des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.\n\nHaben Sie die MTCN und Vertragt an den Verkäufer gesendet?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Sie müssen die MTCN (Tracking-Nummer) und ein Foto der Quittung per E-Mail an den XMR-Verkäufer senden.\nDie Quittung muss den vollständigen Namen, die Stadt, das Land des Verkäufers und den Betrag deutlich zeigen. Die E-Mail-Adresse des Verkäufers lautet: {0}.\n\nHaben Sie die MTCN und Vertragt an den Verkäufer gesendet?
portfolio.pending.step2_buyer.halCashInfo.headline=HalCash Code senden
portfolio.pending.step2_buyer.halCashInfo.msg=Sie müssen eine SMS mit dem HalCash-Code sowie der Trade-ID ({0}) an den BTC-Verkäufer senden.\nDie Handynummer des Verkäufers lautet {1}.\n\nHaben Sie den Code an den Verkäufer gesendet?
portfolio.pending.step2_buyer.halCashInfo.msg=Sie müssen eine SMS mit dem HalCash-Code sowie der Trade-ID ({0}) an den XMR-Verkäufer senden.\nDie Handynummer des Verkäufers lautet {1}.\n\nHaben Sie den Code an den Verkäufer gesendet?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Einige Banken könnten den Namen des Empfängers überprüfen. Faster Payments Konten, die in alten Haveno-Clients angelegt wurden, geben den Namen des Empfängers nicht an, also benutzen Sie bitte den Trade-Chat, um ihn zu erhalten (falls erforderlich).
portfolio.pending.step2_buyer.confirmStart.headline=Bestätigen Sie, dass Sie die Zahlung begonnen haben
portfolio.pending.step2_buyer.confirmStart.msg=Haben Sie die {0}-Zahlung an Ihren Handelspartner begonnen?
portfolio.pending.step2_buyer.confirmStart.yes=Ja, ich habe die Zahlung begonnen
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=Sie haben keinen Zahlungsnachweis eingereicht.
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Sie haben die Transaktions-ID und den Transaktionsschlüssel nicht eingegeben.\n\nWenn Sie diese Informationen nicht zur Verfügung stellen, kann Ihr Handelspartner die automatische Bestätigung nicht nutzen, um die BTC freizugeben sobald die XMR erhalten wurden.\nAußerdem setzt Haveno voraus, dass der Sender der XMR Transaktion diese Informationen im Falle eines Konflikts dem Vermittler oder der Schiedsperson mitteilen kann.\nWeitere Informationen finden Sie im Haveno Wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Sie haben die Transaktions-ID und den Transaktionsschlüssel nicht eingegeben.\n\nWenn Sie diese Informationen nicht zur Verfügung stellen, kann Ihr Handelspartner die automatische Bestätigung nicht nutzen, um die XMR freizugeben sobald die XMR erhalten wurden.\nAußerdem setzt Haveno voraus, dass der Sender der XMR Transaktion diese Informationen im Falle eines Konflikts dem Vermittler oder der Schiedsperson mitteilen kann.\nWeitere Informationen finden Sie im Haveno Wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Die Eingabe ist kein 32 byte Hexadezimalwert
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignorieren und fortfahren
portfolio.pending.step2_seller.waitPayment.headline=Auf Zahlung warten
portfolio.pending.step2_seller.f2fInfo.headline=Kontaktinformation des Käufers
portfolio.pending.step2_seller.waitPayment.msg=Die Kautionstransaktion hat mindestens eine Blockchain-Bestätigung.\nSie müssen warten bis der BTC-Käufer die {0}-Zahlung beginnt.
portfolio.pending.step2_seller.warn=Der BTC-Käufer hat die {0}-Zahlung noch nicht getätigt.\nSie müssen warten bis die Zahlung begonnen wurde.\nWenn der Handel nicht bis {1} abgeschlossen wurde, wird der Vermittler diesen untersuchen.
portfolio.pending.step2_seller.openForDispute=Der BTC-Käufer hat seine Zahlung nicht begonnen!\nDie maximal zulässige Frist für den Handel ist abgelaufen.\nSie können länger warten und dem Handelspartner mehr Zeit geben oder den Vermittler um Hilfe bitten.
portfolio.pending.step2_seller.waitPayment.msg=Die Kautionstransaktion hat mindestens eine Blockchain-Bestätigung.\nSie müssen warten bis der XMR-Käufer die {0}-Zahlung beginnt.
portfolio.pending.step2_seller.warn=Der XMR-Käufer hat die {0}-Zahlung noch nicht getätigt.\nSie müssen warten bis die Zahlung begonnen wurde.\nWenn der Handel nicht bis {1} abgeschlossen wurde, wird der Vermittler diesen untersuchen.
portfolio.pending.step2_seller.openForDispute=Der XMR-Käufer hat seine Zahlung nicht begonnen!\nDie maximal zulässige Frist für den Handel ist abgelaufen.\nSie können länger warten und dem Handelspartner mehr Zeit geben oder den Vermittler um Hilfe bitten.
tradeChat.chatWindowTitle=Chat-Fenster für Trade mit ID ''{0}''
tradeChat.openChat=Chat-Fenster öffnen
tradeChat.rules=Sie können mit Ihrem Trade-Partner kommunizieren, um mögliche Probleme mit diesem Trade zu lösen.\nEs ist nicht zwingend erforderlich, im Chat zu antworten.\nWenn ein Trader gegen eine der folgenden Regeln verstößt, eröffnen Sie einen Streitfall und melden Sie ihn dem Mediator oder Vermittler.\n\nChat-Regeln:\n\t● Senden Sie keine Links (Risiko von Malware). Sie können die Transaktions-ID und den Namen eines Block-Explorers senden.\n\t● Senden Sie keine Seed-Wörter, Private Keys, Passwörter oder andere sensible Informationen!\n\t● Traden Sie nicht außerhalb von Haveno (keine Sicherheit).\n\t● Beteiligen Sie sich nicht an Betrugsversuchen in Form von Social Engineering.\n\t● Wenn ein Partner nicht antwortet und es vorzieht, nicht über den Chat zu kommunizieren, respektieren Sie seine Entscheidung.\n\t● Beschränken Sie Ihre Kommunikation auf das Traden. Dieser Chat ist kein Messenger-Ersatz oder eine Trollbox.\n\t● Bleiben Sie im Gespräch freundlich und respektvoll.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=Peer hat Nachrichtenerhalt bestätigt
# suppress inspection "UnusedProperty"
message.state.FAILED=Senden der Nachricht fehlgeschlagen
portfolio.pending.step3_buyer.wait.headline=Auf Zahlungsbestätigung des BTC-Verkäufers warten
portfolio.pending.step3_buyer.wait.info=Auf Bestätigung des BTC-Verkäufers zum Erhalt der {0}-Zahlung warten.
portfolio.pending.step3_buyer.wait.headline=Auf Zahlungsbestätigung des XMR-Verkäufers warten
portfolio.pending.step3_buyer.wait.info=Auf Bestätigung des XMR-Verkäufers zum Erhalt der {0}-Zahlung warten.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Zahlungsbeginn-Nachricht-Status
portfolio.pending.step3_buyer.warn.part1a=in der {0}-Blockchain
portfolio.pending.step3_buyer.warn.part1b=bei Ihrem Zahlungsanbieter (z.B. Bank)
portfolio.pending.step3_buyer.warn.part2=Der BTC-Verkäufer hat Ihre Zahlung noch nicht bestätigt. Bitte überprüfen Sie {0}, ob der Zahlungsvorgang erfolgreich war.
portfolio.pending.step3_buyer.openForDispute=Der BTC-Verkäufer hat Ihre Zahlung nicht bestätigt! Die maximale Frist für den Handel ist abgelaufen. Sie können länger warten und dem Trading-Partner mehr Zeit geben oder den Vermittler um Hilfe bitten.
portfolio.pending.step3_buyer.warn.part2=Der XMR-Verkäufer hat Ihre Zahlung noch nicht bestätigt. Bitte überprüfen Sie {0}, ob der Zahlungsvorgang erfolgreich war.
portfolio.pending.step3_buyer.openForDispute=Der XMR-Verkäufer hat Ihre Zahlung nicht bestätigt! Die maximale Frist für den Handel ist abgelaufen. Sie können länger warten und dem Trading-Partner mehr Zeit geben oder den Vermittler um Hilfe bitten.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Ihr Handelspartner hat bestätigt, die {0}-Zahlung begonnen zu haben.\n\n
portfolio.pending.step3_seller.crypto.explorer=in ihrem bevorzugten {0} Blockchain Explorer
portfolio.pending.step3_seller.crypto.wallet=in ihrer {0} Wallet
portfolio.pending.step3_seller.crypto={0}Bitte überprüfen Sie mit Ihrem bevorzugten {1}-Blockchain-Explorer, ob die Transaktion zu Ihrer Empfangsadresse\n{2}\nschon genug Blockchain-Bestätigungen hat.\nDer Zahlungsbetrag muss {3} sein\n\nSie können Ihre {4}-Adresse vom Hauptbildschirm kopieren und woanders einfügen, nachdem dieser Dialog geschlossen wurde.
portfolio.pending.step3_seller.postal={0}Bitte überprüfen Sie, ob Sie {1} per \"US Postal Money Order\" vom BTC-Käufer erhalten haben.
portfolio.pending.step3_seller.postal={0}Bitte überprüfen Sie, ob Sie {1} per \"US Postal Money Order\" vom XMR-Käufer erhalten haben.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Bitte überprüfen Sie, ob Sie {1} als \"Bargeld per Post\" vom BTC-Käufer erhalten haben.
portfolio.pending.step3_seller.payByMail={0}Bitte überprüfen Sie, ob Sie {1} als \"Bargeld per Post\" vom XMR-Käufer erhalten haben.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Ihr Handelspartner hat den Beginn der {0}-Zahlung bestätigt.\n\nBitte gehen Sie auf Ihre Online-Banking-Website und überprüfen Sie, ob Sie {1} vom BTC-Käufer erhalten haben.
portfolio.pending.step3_seller.cash=Da die Zahlung per Cash Deposit ausgeführt wurde, muss der BTC-Käufer \"NO REFUND\" auf die Quittung schreiben, diese in 2 Teile reißen und Ihnen ein Foto per E-Mail schicken.\n\nUm die Gefahr einer Rückbuchung zu vermeiden bestätigen Sie nur, wenn Sie die E-Mail erhalten haben und Sie sicher sind, dass die Quittung gültig ist.\nWenn Sie nicht sicher sind, {0}
portfolio.pending.step3_seller.moneyGram=Der Käufer muss Ihnen die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail zusenden.\nDie Quittung muss deutlich Ihren vollständigen Namen, Ihr Land, Ihr Bundesland und den Betrag enthalten. Bitte überprüfen Sie Ihre E-Mail, wenn Sie die Authorisierungs-Nummer erhalten haben.\n\nNach dem Schließen dieses Pop-ups sehen Sie den Namen und die Adresse des BTC-Käufers, um das Geld von MoneyGram abzuholen.\n\nBestätigen Sie den Erhalt erst, nachdem Sie das Geld erfolgreich abgeholt haben!
portfolio.pending.step3_seller.westernUnion=Der Käufer muss Ihnen die MTCN (Sendungsnummer) und ein Foto der Quittung per E-Mail zusenden.\nDie Quittung muss deutlich Ihren vollständigen Namen, Ihre Stadt, Ihr Land und den Betrag enthalten. Bitte überprüfen Sie Ihre E-Mail, wenn Sie die MTCN erhalten haben.\n\nNach dem Schließen dieses Pop-ups sehen Sie den Namen und die Adresse des BTC-Käufers, um das Geld von Western Union abzuholen.\n\nBestätigen Sie den Erhalt erst, nachdem Sie das Geld erfolgreich abgeholt haben!
portfolio.pending.step3_seller.bank=Ihr Handelspartner hat den Beginn der {0}-Zahlung bestätigt.\n\nBitte gehen Sie auf Ihre Online-Banking-Website und überprüfen Sie, ob Sie {1} vom XMR-Käufer erhalten haben.
portfolio.pending.step3_seller.cash=Da die Zahlung per Cash Deposit ausgeführt wurde, muss der XMR-Käufer \"NO REFUND\" auf die Quittung schreiben, diese in 2 Teile reißen und Ihnen ein Foto per E-Mail schicken.\n\nUm die Gefahr einer Rückbuchung zu vermeiden bestätigen Sie nur, wenn Sie die E-Mail erhalten haben und Sie sicher sind, dass die Quittung gültig ist.\nWenn Sie nicht sicher sind, {0}
portfolio.pending.step3_seller.moneyGram=Der Käufer muss Ihnen die Authorisierungs-Nummer und ein Foto der Quittung per E-Mail zusenden.\nDie Quittung muss deutlich Ihren vollständigen Namen, Ihr Land, Ihr Bundesland und den Betrag enthalten. Bitte überprüfen Sie Ihre E-Mail, wenn Sie die Authorisierungs-Nummer erhalten haben.\n\nNach dem Schließen dieses Pop-ups sehen Sie den Namen und die Adresse des XMR-Käufers, um das Geld von MoneyGram abzuholen.\n\nBestätigen Sie den Erhalt erst, nachdem Sie das Geld erfolgreich abgeholt haben!
portfolio.pending.step3_seller.westernUnion=Der Käufer muss Ihnen die MTCN (Sendungsnummer) und ein Foto der Quittung per E-Mail zusenden.\nDie Quittung muss deutlich Ihren vollständigen Namen, Ihre Stadt, Ihr Land und den Betrag enthalten. Bitte überprüfen Sie Ihre E-Mail, wenn Sie die MTCN erhalten haben.\n\nNach dem Schließen dieses Pop-ups sehen Sie den Namen und die Adresse des XMR-Käufers, um das Geld von Western Union abzuholen.\n\nBestätigen Sie den Erhalt erst, nachdem Sie das Geld erfolgreich abgeholt haben!
portfolio.pending.step3_seller.halCash=Der Käufer muss Ihnen den HalCash-Code als SMS zusenden. Außerdem erhalten Sie eine Nachricht von HalCash mit den erforderlichen Informationen, um EUR an einem HalCash-fähigen Geldautomaten abzuheben.\n\nNachdem Sie das Geld am Geldautomaten abgeholt haben, bestätigen Sie bitte hier den Zahlungseingang!
portfolio.pending.step3_seller.amazonGiftCard=Der Käufer hat Ihnen eine Amazon eGift Geschenkkarte per E-Mail oder per Textnachricht auf Ihr Handy geschickt. Bitte lösen Sie die Amazon eGift Geschenkkarte jetzt in Ihrem Amazon-Konto ein und bestätigen Sie nach der erfolgreichen Annahme den Zahlungseingang.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=Transaktions-ID
portfolio.pending.step3_seller.xmrTxKey=Transaktions-Schlüssel
portfolio.pending.step3_seller.buyersAccount=Käufer Konto-Informationen
portfolio.pending.step3_seller.confirmReceipt=Zahlungserhalt bestätigen
portfolio.pending.step3_seller.buyerStartedPayment=Der BTC-Käufer hat die {0}-Zahlung begonnen.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=Der XMR-Käufer hat die {0}-Zahlung begonnen.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Überprüfen Sie Ihre Crypto-Wallet oder Ihren Block-Explorer auf Blockchain-Bestätigungen und bestätigen Sie die Zahlung, wenn ausreichend viele Blockchain-Bestätigungen angezeigt werden.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Prüfen Sie Ihr Handelskonto (z.B. Bankkonto) und bestätigen Sie, wenn Sie die Zahlung erhalten haben.
portfolio.pending.step3_seller.warn.part1a=in der {0}-Blockchain
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Ist die {0}-Zahlung Ihres
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Bitte überprüfen Sie auch, ob der Name des im Trade-Vertrag angegebenen Absenders mit dem Namen auf Ihrem Kontoauszug übereinstimmt:\nName des Absenders, pro Trade-Vertrag: {0}\n\nWenn die Namen nicht genau gleich sind, bestätigen Sie den Zahlungseingang nicht. Eröffnen Sie stattdessen einen Konflikt, indem Sie \"alt + o\" oder \"option + o\" drücken.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Bitte beachten Sie, dass, sobald Sie den Erhalt bestätigt haben, der gesperrte Trade-Betrag an den BTC-Käufer freigegeben wird und die Kaution zurückerstattet wird.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Bitte beachten Sie, dass, sobald Sie den Erhalt bestätigt haben, der gesperrte Trade-Betrag an den XMR-Käufer freigegeben wird und die Kaution zurückerstattet wird.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Bestätigen Sie, die Zahlung erhalten zu haben
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Ja, ich habe die Zahlung erhalten
portfolio.pending.step3_seller.onPaymentReceived.signer=WICHTIG: Mit der Bestätigung des Zahlungseingangs verifizieren Sie auch das Konto der Gegenpartei und unterzeichnen es entsprechend. Da das Konto der Gegenpartei noch nicht unterzeichnet ist, sollten Sie die Bestätigung der Zahlung so lange wie möglich hinauszögern, um das Risiko einer Rückbelastung zu reduzieren.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Handelsgebühr
portfolio.pending.step5_buyer.makersMiningFee=Mining-Gebühr
portfolio.pending.step5_buyer.takersMiningFee=Gesamte Mining-Gebühr
portfolio.pending.step5_buyer.refunded=Rückerstattete Kaution
portfolio.pending.step5_buyer.withdrawBTC=Ihre Bitcoins abheben
portfolio.pending.step5_buyer.withdrawXMR=Ihre Moneros abheben
portfolio.pending.step5_buyer.amount=Abzuhebender Betrag
portfolio.pending.step5_buyer.withdrawToAddress=An diese Adresse abheben
portfolio.pending.step5_buyer.moveToHavenoWallet=Gelder in der Haveno Wallet aufbewahren
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Ihre Gelder wurden bereits abgeho
portfolio.pending.step5_buyer.confirmWithdrawal=Anfrage zum Abheben bestätigen
portfolio.pending.step5_buyer.amountTooLow=Der zu überweisende Betrag ist kleiner als die Transaktionsgebühr und der minimale Tx-Wert (Staub).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Abheben abgeschlossen
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Ihre abgeschlossenen Trades sind unter \"Portfolio/Verlauf\" gespeichert.\nSie können all Ihre Bitcoin-Transaktionen unter \"Gelder/Transaktionen\" einsehen
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Ihre abgeschlossenen Trades sind unter \"Portfolio/Verlauf\" gespeichert.\nSie können all Ihre Monero-Transaktionen unter \"Gelder/Transaktionen\" einsehen
portfolio.pending.step5_buyer.bought=Sie haben gekauft
portfolio.pending.step5_buyer.paid=Sie haben gezahlt
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Sie haben bereits akzept
portfolio.pending.failedTrade.taker.missingTakerFeeTx=Die Transaktion der Abnehmer-Gebühr fehlt.\n\nOhne diese tx kann der Handel nicht abgeschlossen werden. Keine Gelder wurden gesperrt und keine Handelsgebühr wurde bezahlt. Sie können diesen Handel zu den fehlgeschlagenen Händeln verschieben.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=Die Transaktion der Abnehmer-Gebühr fehlt.\n\nOhne diese tx kann der Handel nicht abgeschlossen werden. Keine Gelder wurden gesperrt. Ihr Angebot ist für andere Händler weiterhin verfügbar. Sie haben die Ersteller-Gebühr also nicht verloren. Sie können diesen Handel zu den fehlgeschlagenen Händeln verschieben.
portfolio.pending.failedTrade.missingDepositTx=Die Einzahlungstransaktion (die 2-of-2 Multisig-Transaktion) fehlt.\n\nOhne diese tx kann der Handel nicht abgeschlossen werden. Keine Gelder wurden gesperrt aber die Handels-Gebühr wurde bezahlt. Sie können eine Anfrage für eine Rückerstattung der Handels-Gebühr hier einreichen: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nSie können diesen Handel gerne zu den fehlgeschlagenen Händeln verschieben.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Die verzögerte Auszahlungstransaktion fehlt, aber die Gelder wurden in der Einzahlungstransaktion gesperrt.\n\nBitte schicken Sie KEINE Geld-(Traditional-) oder Crypto-Zahlungen an den BTC Verkäufer, weil ohne die verzögerte Auszahlungstransaktion später kein Schlichtungsverfahren eröffnet werden kann. Stattdessen öffnen Sie ein Vermittlungs-Ticket mit Cmd/Strg+o. Der Vermittler sollte vorschlagen, dass beide Handelspartner ihre vollständige Sicherheitskaution zurückerstattet bekommen (und der Verkäufer auch seinen Handels-Betrag). Durch diese Vorgehensweise entsteht kein Sicherheitsrisiko und es geht ausschließlich die Handelsgebühr verloren.\n\nSie können eine Rückerstattung der verlorenen gegangenen Handelsgebühren hier erbitten: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Die verzögerte Auszahlungstransaktion fehlt, aber die Gelder wurden in der Einzahlungstransaktion gesperrt.\n\nBitte schicken Sie KEINE Geld-(Traditional-) oder Crypto-Zahlungen an den XMR Verkäufer, weil ohne die verzögerte Auszahlungstransaktion später kein Schlichtungsverfahren eröffnet werden kann. Stattdessen öffnen Sie ein Vermittlungs-Ticket mit Cmd/Strg+o. Der Vermittler sollte vorschlagen, dass beide Handelspartner ihre vollständige Sicherheitskaution zurückerstattet bekommen (und der Verkäufer auch seinen Handels-Betrag). Durch diese Vorgehensweise entsteht kein Sicherheitsrisiko und es geht ausschließlich die Handelsgebühr verloren.\n\nSie können eine Rückerstattung der verlorenen gegangenen Handelsgebühren hier erbitten: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=Die verzögerte Auszahlungstransaktion fehlt, aber die Gelder wurden in der Einzahlungstransaktion gesperrt.\n\nWenn dem Käufer die verzögerte Auszahlungstransaktion auch fehlt, wird er dazu aufgefordert die Bezahlung NICHT zu schicken und stattdessen ein Vermittlungs-Ticket zu eröffnen. Sie sollten auch ein Vermittlungs-Ticket mit Cmd/Strg+o öffnen.\n\nWenn der Käufer die Zahlung noch nicht geschickt hat, sollte der Vermittler vorschlagen, dass beide Handelspartner ihre Sicherheitskaution vollständig zurückerhalten (und der Verkäufer auch den Handels-Betrag). Anderenfalls sollte der Handels-Betrag an den Käufer gehen.\n\nSie können eine Rückerstattung der verlorenen gegangenen Handelsgebühren hier erbitten: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=Während der Ausführung des Handel-Protokolls ist ein Fehler aufgetreten.\n\nFehler: {0}\n\nEs kann sein, dass dieser Fehler nicht gravierend ist und der Handel ganz normal abgeschlossen werden kann. Wenn Sie sich unsicher sind, öffnen Sie ein Vermittlungs-Ticket um den Rat eines Haveno Vermittlers zu erhalten.\n\nWenn der Fehler gravierend war, kann der Handel nicht abgeschlossen werden und Sie haben vielleicht die Handelsgebühr verloren. Sie können eine Rückerstattung der verlorenen gegangenen Handelsgebühren hier erbitten: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=Der Handelsvertrag ist nicht festgelegt.\n\nDer Handel kann nicht abgeschlossen werden und Sie haben möglicherweise die Handelsgebühr verloren. Sollte das der Fall sein, können Sie eine Rückerstattung der verlorenen gegangenen Handelsgebühren hier beantragen: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Haveno-Wallet finanzieren
funds.deposit.noAddresses=Es wurden noch keine Kautionsadressen generiert
funds.deposit.fundWallet=Ihre Wallet finanzieren
funds.deposit.withdrawFromWallet=Gelder aus Wallet übertragen
funds.deposit.amount=Betrag in BTC (optional)
funds.deposit.amount=Betrag in XMR (optional)
funds.deposit.generateAddress=Neue Adresse generieren
funds.deposit.generateAddressSegwit=Native segwit Format (Bech32)
funds.deposit.selectUnused=Bitte wählen Sie eine ungenutzte Adresse aus der Tabelle oben, anstatt eine neue zu generieren.
@ -890,7 +890,7 @@ funds.tx.revert=Umkehren
funds.tx.txSent=Transaktion erfolgreich zu einer neuen Adresse in der lokalen Haveno-Wallet gesendet.
funds.tx.direction.self=An Sie selbst senden
funds.tx.dustAttackTx=Staub erhalten
funds.tx.dustAttackTx.popup=Diese Transaktion sendet einen sehr kleinen BTC Betrag an Ihre Wallet und kann von Chainanalyse Unternehmen genutzt werden um ihre Wallet zu spionieren.\n\nWenn Sie den Transaktionsausgabe in einer Ausgabe nutzen, wird es lernen, dass Sie wahrscheinlich auch Besitzer der anderen Adressen sind (coin merge),\n\nUm Ihre Privatsphäre zu schützen, wir die Havenowallet Staubausgaben für Ausgaben und bei der Anzeige der Guthabens ignorieren. Sie können den Grenzwert, ab wann ein Wert als Staub angesehen wird in den Einstellungen ändern.
funds.tx.dustAttackTx.popup=Diese Transaktion sendet einen sehr kleinen XMR Betrag an Ihre Wallet und kann von Chainanalyse Unternehmen genutzt werden um ihre Wallet zu spionieren.\n\nWenn Sie den Transaktionsausgabe in einer Ausgabe nutzen, wird es lernen, dass Sie wahrscheinlich auch Besitzer der anderen Adressen sind (coin merge),\n\nUm Ihre Privatsphäre zu schützen, wir die Havenowallet Staubausgaben für Ausgaben und bei der Anzeige der Guthabens ignorieren. Sie können den Grenzwert, ab wann ein Wert als Staub angesehen wird in den Einstellungen ändern.
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=Die Nachricht wurde im Postfach des Empfängers gespeiche
support.arrived=Die Nachricht ist beim Empfänger angekommen
support.acknowledged=Nachrichtenankunft vom Empfänger bestätigt
support.error=Empfänger konnte die Nachricht nicht verarbeiten. Fehler: {0}
support.buyerAddress=BTC-Adresse des Käufers
support.sellerAddress=BTC-Adresse des Verkäufers
support.buyerAddress=XMR-Adresse des Käufers
support.sellerAddress=XMR-Adresse des Verkäufers
support.role=Rolle
support.agent=Support-Mitarbeiter
support.state=Status
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=Geschlossen
support.open=Offen
support.process=Process
support.buyerMaker=BTC-Käufer/Ersteller
support.sellerMaker=BTC-Verkäufer/Ersteller
support.buyerTaker=BTC-Käufer/Abnehmer
support.sellerTaker=BTC-Verkäufer/Abnehmer
support.buyerMaker=XMR-Käufer/Ersteller
support.sellerMaker=XMR-Verkäufer/Ersteller
support.buyerTaker=XMR-Käufer/Abnehmer
support.sellerTaker=XMR-Verkäufer/Abnehmer
support.backgroundInfo=Haveno ist kein Unternehmen, daher behandelt es Konflikte unterschiedlich.\n\nTrader können innerhalb der Anwendung über einen sicheren Chat auf dem Bildschirm für offene Trades kommunizieren, um zu versuchen, Konflikte selbst zu lösen. Wenn das nicht ausreicht, kann ein Mediator einschreiten und helfen. Der Mediator wird die Situation bewerten und eine Auszahlung von Trade Funds vorschlagen.
support.initialInfo=Bitte geben Sie eine Beschreibung Ihres Problems in das untenstehende Textfeld ein. Fügen Sie so viele Informationen wie möglich hinzu, um die Zeit für die Konfliktlösung zu verkürzen.\n\nHier ist eine Checkliste für Informationen, die Sie angeben sollten:\n\t● Wenn Sie der BTC-Käufer sind: Haben Sie die Traditional- oder Crypto-Überweisung gemacht? Wenn ja, haben Sie in der Anwendung auf die Schaltfläche "Zahlung gestartet" geklickt?\n\t● Wenn Sie der BTC-Verkäufer sind: Haben Sie die Traditional- oder Crypto-Zahlung erhalten? Wenn ja, haben Sie in der Anwendung auf die Schaltfläche "Zahlung erhalten" geklickt?\n\t● Welche Version von Haveno verwenden Sie?\n\t● Welches Betriebssystem verwenden Sie?\n\t● Wenn Sie ein Problem mit fehlgeschlagenen Transaktionen hatten, überlegen Sie bitte, in ein neues Datenverzeichnis zu wechseln.\n\t Manchmal wird das Datenverzeichnis beschädigt und führt zu seltsamen Fehlern. \n\t Siehe: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nBitte machen Sie sich mit den Grundregeln für den Konfliktprozess vertraut:\n\t● Sie müssen auf die Anfragen der {0}'' innerhalb von 2 Tagen antworten.\n\t● Mediatoren antworten innerhalb von 2 Tagen. Die Vermittler antworten innerhalb von 5 Werktagen.\n\t● Die maximale Frist für einen Konflikt beträgt 14 Tage.\n\t● Sie müssen mit den {1} zusammenarbeiten und die Informationen zur Verfügung stellen, die sie anfordern, um Ihren Fall zu bearbeiten.\n\t● Mit dem ersten Start der Anwendung haben Sie die Regeln des Konfliktdokuments in der Nutzervereinbarung akzeptiert.\n\nSie können mehr über den Konfliktprozess erfahren unter: {2}
support.initialInfo=Bitte geben Sie eine Beschreibung Ihres Problems in das untenstehende Textfeld ein. Fügen Sie so viele Informationen wie möglich hinzu, um die Zeit für die Konfliktlösung zu verkürzen.\n\nHier ist eine Checkliste für Informationen, die Sie angeben sollten:\n\t● Wenn Sie der XMR-Käufer sind: Haben Sie die Traditional- oder Crypto-Überweisung gemacht? Wenn ja, haben Sie in der Anwendung auf die Schaltfläche "Zahlung gestartet" geklickt?\n\t● Wenn Sie der XMR-Verkäufer sind: Haben Sie die Traditional- oder Crypto-Zahlung erhalten? Wenn ja, haben Sie in der Anwendung auf die Schaltfläche "Zahlung erhalten" geklickt?\n\t● Welche Version von Haveno verwenden Sie?\n\t● Welches Betriebssystem verwenden Sie?\n\t● Wenn Sie ein Problem mit fehlgeschlagenen Transaktionen hatten, überlegen Sie bitte, in ein neues Datenverzeichnis zu wechseln.\n\t Manchmal wird das Datenverzeichnis beschädigt und führt zu seltsamen Fehlern. \n\t Siehe: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nBitte machen Sie sich mit den Grundregeln für den Konfliktprozess vertraut:\n\t● Sie müssen auf die Anfragen der {0}'' innerhalb von 2 Tagen antworten.\n\t● Mediatoren antworten innerhalb von 2 Tagen. Die Vermittler antworten innerhalb von 5 Werktagen.\n\t● Die maximale Frist für einen Konflikt beträgt 14 Tage.\n\t● Sie müssen mit den {1} zusammenarbeiten und die Informationen zur Verfügung stellen, die sie anfordern, um Ihren Fall zu bearbeiten.\n\t● Mit dem ersten Start der Anwendung haben Sie die Regeln des Konfliktdokuments in der Nutzervereinbarung akzeptiert.\n\nSie können mehr über den Konfliktprozess erfahren unter: {2}
support.systemMsg=Systemnachricht: {0}
support.youOpenedTicket=Sie haben eine Anfrage auf Support geöffnet.\n\n{0}\n\nHaveno-Version: {1}
support.youOpenedDispute=Sie haben eine Anfrage für einen Konflikt geöffnet.\n\n{0}\n\nHaveno-version: {1}
@ -979,13 +979,13 @@ settings.tab.network=Netzwerk-Info
settings.tab.about=Über
setting.preferences.general=Allgemeine Voreinstellungen
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Max. Abweichung vom Marktpreis
setting.preferences.avoidStandbyMode=Standby Modus verhindern
setting.preferences.autoConfirmXMR=XMR automatische Bestätigung
setting.preferences.autoConfirmEnabled=Aktiviert
setting.preferences.autoConfirmRequiredConfirmations=Benötigte Bestätigungen
setting.preferences.autoConfirmMaxTradeSize=Max. Trade-Höhe (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. Trade-Höhe (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (verwendet Tor, außer localhost, LAN IP Adresse und *.local hostnames)
setting.preferences.deviationToLarge=Werte größer als {0}% sind nicht erlaubt.
setting.preferences.txFee=Auszahlungstransaktionsgebühr (satoshis/vbyte)
@ -1022,29 +1022,29 @@ settings.preferences.editCustomExplorer.name=Name
settings.preferences.editCustomExplorer.txUrl=Transaktions-URL
settings.preferences.editCustomExplorer.addressUrl=Adress-URL
settings.net.btcHeader=Bitcoin-Netzwerk
settings.net.xmrHeader=Monero-Netzwerk
settings.net.p2pHeader=Haveno-Netzwerk
settings.net.onionAddressLabel=Meine Onion-Adresse
settings.net.xmrNodesLabel=Spezifische Monero-Knoten verwenden
settings.net.moneroPeersLabel=Verbundene Peers
settings.net.useTorForXmrJLabel=Tor für das Monero-Netzwerk verwenden
settings.net.moneroNodesLabel=Mit Monero-Knoten verbinden
settings.net.useProvidedNodesRadio=Bereitgestellte Bitcoin-Core-Knoten verwenden
settings.net.usePublicNodesRadio=Öffentliches Bitcoin-Netzwerk benutzen
settings.net.useCustomNodesRadio=Spezifische Bitcoin-Core-Knoten verwenden
settings.net.useProvidedNodesRadio=Bereitgestellte Monero-Core-Knoten verwenden
settings.net.usePublicNodesRadio=Öffentliches Monero-Netzwerk benutzen
settings.net.useCustomNodesRadio=Spezifische Monero-Core-Knoten verwenden
settings.net.warn.usePublicNodes=Wenn Sie öffentliche Monero-Nodes verwenden, sind Sie den Risiken ausgesetzt, die mit der Verwendung unvertrauenswürdiger Remote-Nodes verbunden sind.\n\nBitte lesen Sie weitere Details unter [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nSind Sie sich sicher, dass Sie öffentliche Nodes verwenden möchten?
settings.net.warn.usePublicNodes.useProvided=Nein, bereitgestellte Knoten verwenden
settings.net.warn.usePublicNodes.usePublic=Ja, öffentliches Netzwerk verwenden
settings.net.warn.useCustomNodes.B2XWarning=Bitte stellen Sie sicher, dass Sie sich mit einem vertrauenswürdigen Bitcoin-Core-Knoten verbinden!\n\nWenn Sie sich mit Knoten verbinden, die gegen die Bitcoin Core Konsensus-Regeln verstoßen, kann es zu Problemen in Ihrer Wallet und im Verlauf des Handelsprozesses kommen.\n\nBenutzer die sich zu oben genannten Knoten verbinden, sind für den verursachten Schaden verantwortlich. Dadurch entstandene Konflikte werden zugunsten des anderen Teilnehmers entschieden. Benutzer die unsere Warnungen und Sicherheitsmechanismen ignorieren wird keine technische Unterstützung geleistet!
settings.net.warn.invalidBtcConfig=Die Verbindung zum Bitcoin-Netzwerk ist fehlgeschlagen, weil Ihre Konfiguration ungültig ist.\n\nIhre Konfiguration wurde zurückgesetzt, um stattdessen die bereitgestellten Bitcoin-Nodes zu verwenden. Sie müssen die Anwendung neu starten.
settings.net.localhostXmrNodeInfo=Hintergrundinformationen: Haveno sucht beim Start nach einem lokalen Bitcoin-Node. Wird dieser gefunden, kommuniziert Haveno ausschließlich über diesen mit dem Bitcoin-Netzwerk.
settings.net.warn.useCustomNodes.B2XWarning=Bitte stellen Sie sicher, dass Sie sich mit einem vertrauenswürdigen Monero-Core-Knoten verbinden!\n\nWenn Sie sich mit Knoten verbinden, die gegen die Monero Core Konsensus-Regeln verstoßen, kann es zu Problemen in Ihrer Wallet und im Verlauf des Handelsprozesses kommen.\n\nBenutzer die sich zu oben genannten Knoten verbinden, sind für den verursachten Schaden verantwortlich. Dadurch entstandene Konflikte werden zugunsten des anderen Teilnehmers entschieden. Benutzer die unsere Warnungen und Sicherheitsmechanismen ignorieren wird keine technische Unterstützung geleistet!
settings.net.warn.invalidXmrConfig=Die Verbindung zum Monero-Netzwerk ist fehlgeschlagen, weil Ihre Konfiguration ungültig ist.\n\nIhre Konfiguration wurde zurückgesetzt, um stattdessen die bereitgestellten Monero-Nodes zu verwenden. Sie müssen die Anwendung neu starten.
settings.net.localhostXmrNodeInfo=Hintergrundinformationen: Haveno sucht beim Start nach einem lokalen Monero-Node. Wird dieser gefunden, kommuniziert Haveno ausschließlich über diesen mit dem Monero-Netzwerk.
settings.net.p2PPeersLabel=Verbundene Peers
settings.net.onionAddressColumn=Onion-Adresse
settings.net.creationDateColumn=Eingerichtet
settings.net.connectionTypeColumn=Ein/Aus
settings.net.sentDataLabel=Daten-Statistiken senden
settings.net.receivedDataLabel=Daten-Statistiken empfangen
settings.net.chainHeightLabel=Letzte BTC Blockzeit
settings.net.chainHeightLabel=Letzte XMR Blockzeit
settings.net.roundTripTimeColumn=Umlaufzeit
settings.net.sentBytesColumn=Gesendet
settings.net.receivedBytesColumn=Erhalten
@ -1059,7 +1059,7 @@ settings.net.needRestart=Sie müssen die Anwendung neustarten, um die Änderunge
settings.net.notKnownYet=Noch nicht bekannt...
settings.net.sentData=Gesendete Daten: {0}, {1} Nachrichten, {2} Nachrichten/Sekunde
settings.net.receivedData=Empfangene Daten: {0}, {1} Nachrichten, {2} Nachrichten/Sekunde
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[IP Adresse:Port | Hostname:Port | Onion-Adresse:Port] (Komma getrennt). Port kann weggelassen werden, wenn Standard genutzt wird (8333).
settings.net.seedNode=Seed-Knoten
settings.net.directPeer=Peer (direkt)
@ -1068,7 +1068,7 @@ settings.net.peer=Peer
settings.net.inbound=eingehend
settings.net.outbound=ausgehend
setting.about.aboutHaveno=Über Haveno
setting.about.about=Haveno ist Open-Source Software, die den Tausch von Bitcoin mit nationaler Währung (und anderen Kryptowährungen), durch ein dezentralisiertes Peer-zu-Peer Netzwerk auf eine Weise ermöglicht, die Ihre Privatsphäre stark beschützt. Lernen Sie auf unserer Projektwebseite mehr über Haveno.
setting.about.about=Haveno ist Open-Source Software, die den Tausch von Monero mit nationaler Währung (und anderen Kryptowährungen), durch ein dezentralisiertes Peer-zu-Peer Netzwerk auf eine Weise ermöglicht, die Ihre Privatsphäre stark beschützt. Lernen Sie auf unserer Projektwebseite mehr über Haveno.
setting.about.web=Haveno-Website
setting.about.code=Quellcode
setting.about.agpl=AGPL-Lizenz
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=Wählen Sie den ausstehenden Trade und
setting.about.shortcuts.walletDetails=Öffnen Sie das Fenster für Wallet-Details
setting.about.shortcuts.openEmergencyBtcWalletTool=Öffnen Sie das Notfallwerkzeug für die BTC-Wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Öffnen Sie das Notfallwerkzeug für die XMR-Wallet
setting.about.shortcuts.showTorLogs=Umschalten des Log-Levels für Tor-Meldungen zwischen DEBUG und WARN
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=Private Benachrichtigung an Peer
setting.about.shortcuts.sendPrivateNotification.value=Öffnen Sie die Partner-Infos am Avatar und klicken Sie: {0}
setting.info.headline=Neues automatisches Bestätigungs-Feature für XMR
setting.info.msg=Wenn Sie BTC für XMR verkaufen, können Sie die automatische Bestätigung aktivieren um nachzuprüfen ob die korrekte Menge an Ihr Wallet gesendet wurde. So kann Haveno den Trade automatisch abschließen und Trades dadurch für alle schneller machen.\n\nDie automatische Bestätigung überprüft die XMR Transaktion über mindestens 2 XMR Explorer Nodes mit dem privaten Transaktionsschlüssel den der Sender zur Verfügung gestellt hat. Haveno verwendet standardmäßig Explorer Nodes die von Haveno Contributors betrieben werden aber wir empfehlen, dass Sie für ein Maximum an Sicherheit und Privatsphäre Ihre eigene XMR Explorer Node betreiben.\n\nFür automatische Bestätigungen, können Sie die max. Höhe an BTC pro Trade und die Anzahl der benötigten Bestätigungen in den Einstellungen festlegen.\n\nFinden Sie weitere Informationen (und eine Anleitung wie Sie Ihre eigene Explorer Node aufsetzen) im Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=Wenn Sie XMR für XMR verkaufen, können Sie die automatische Bestätigung aktivieren um nachzuprüfen ob die korrekte Menge an Ihr Wallet gesendet wurde. So kann Haveno den Trade automatisch abschließen und Trades dadurch für alle schneller machen.\n\nDie automatische Bestätigung überprüft die XMR Transaktion über mindestens 2 XMR Explorer Nodes mit dem privaten Transaktionsschlüssel den der Sender zur Verfügung gestellt hat. Haveno verwendet standardmäßig Explorer Nodes die von Haveno Contributors betrieben werden aber wir empfehlen, dass Sie für ein Maximum an Sicherheit und Privatsphäre Ihre eigene XMR Explorer Node betreiben.\n\nFür automatische Bestätigungen, können Sie die max. Höhe an XMR pro Trade und die Anzahl der benötigten Bestätigungen in den Einstellungen festlegen.\n\nFinden Sie weitere Informationen (und eine Anleitung wie Sie Ihre eigene Explorer Node aufsetzen) im Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1140,7 +1140,7 @@ account.tab.mediatorRegistration=Mediator-Registrierung
account.tab.refundAgentRegistration=Registrierung des Rückerstattungsbeauftragten
account.tab.signing=Unterzeichnung
account.info.headline=Willkommen in Ihrem Haveno-Konto
account.info.msg=Hier können Sie Trading-Konten für nationale Währungen und Cryptos hinzufügen und Backups für Ihre Wallets & Kontodaten erstellen.\n\nEine leere Bitcoin-Wallet wurde erstellt, als Sie das erste Mal Haveno gestartet haben.\n\nWir empfehlen, dass Sie Ihre Bitcoin-Wallet-Seed-Wörter aufschreiben (siehe Tab oben) und sich überlegen ein Passwort hinzuzufügen, bevor Sie einzahlen. Bitcoin-Einzahlungen und Auszahlungen werden unter \"Gelder\" verwaltet.\n\nHinweis zu Privatsphäre & Sicherheit: da Haveno eine dezentralisierte Börse ist, bedeutet dies, dass all Ihre Daten auf ihrem Computer bleiben. Es gibt keine Server und wir haben keinen Zugriff auf Ihre persönlichen Informationen, Ihre Gelder oder selbst Ihre IP-Adresse. Daten wie Bankkontonummern, Crypto- & Bitcoinadressen, etc werden nur mit Ihrem Trading-Partner geteilt, um Trades abzuschließen, die Sie initiiert haben (im Falle eines Konflikts wird der Vermittler die selben Daten sehen wie Ihr Trading-Partner).
account.info.msg=Hier können Sie Trading-Konten für nationale Währungen und Cryptos hinzufügen und Backups für Ihre Wallets & Kontodaten erstellen.\n\nEine leere Monero-Wallet wurde erstellt, als Sie das erste Mal Haveno gestartet haben.\n\nWir empfehlen, dass Sie Ihre Monero-Wallet-Seed-Wörter aufschreiben (siehe Tab oben) und sich überlegen ein Passwort hinzuzufügen, bevor Sie einzahlen. Monero-Einzahlungen und Auszahlungen werden unter \"Gelder\" verwaltet.\n\nHinweis zu Privatsphäre & Sicherheit: da Haveno eine dezentralisierte Börse ist, bedeutet dies, dass all Ihre Daten auf ihrem Computer bleiben. Es gibt keine Server und wir haben keinen Zugriff auf Ihre persönlichen Informationen, Ihre Gelder oder selbst Ihre IP-Adresse. Daten wie Bankkontonummern, Crypto- & Moneroadressen, etc werden nur mit Ihrem Trading-Partner geteilt, um Trades abzuschließen, die Sie initiiert haben (im Falle eines Konflikts wird der Vermittler die selben Daten sehen wie Ihr Trading-Partner).
account.menu.paymentAccount=Nationale Währungskonten
account.menu.altCoinsAccountView=Crypto-Konten
@ -1151,7 +1151,7 @@ account.menu.backup=Backup
account.menu.notifications=Benachrichtigungen
account.menu.walletInfo.balance.headLine=Wallet-Guthaben
account.menu.walletInfo.balance.info=Hier wird das Wallet-Guthaben einschließlich unbestätigter Transaktionen angezeigt.\nFür BTC sollte das unten angezeigte Wallet-Guthaben mit der Summe der oben rechts in diesem Fenster angezeigten "Verfügbaren" und "Reservierten" Guthaben übereinstimmen.
account.menu.walletInfo.balance.info=Hier wird das Wallet-Guthaben einschließlich unbestätigter Transaktionen angezeigt.\nFür XMR sollte das unten angezeigte Wallet-Guthaben mit der Summe der oben rechts in diesem Fenster angezeigten "Verfügbaren" und "Reservierten" Guthaben übereinstimmen.
account.menu.walletInfo.xpub.headLine=Watch Keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} Wallet
account.menu.walletInfo.path.headLine=HD Keychain Pfade
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=Der Handel mit ParsiCoin auf Haveno setzt voraus,
account.crypto.popup.blk-burnt.msg=Um "Burnt Blackcoins" zu handeln, müssen Sie folgendes wissen:\n\nBurnt Blackcoins können nicht ausgegeben werden. Um sie auf Haveno zu handeln, müssen die Ausgabeskripte in der Form vorliegen: OP_RETURN OP_PUSHDATA, gefolgt von zugehörigen Datenbytes, die nach der Hex-Codierung Adressen darstellen. Beispielsweise haben Burnt Blackcoins mit der Adresse 666f6f ("foo" in UTF-8) das folgende Skript:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nUm Burnt Blackcoins zu erstellen, kann man den in einigen Wallets verfügbaren RPC-Befehl "burn" verwenden.\n\nFür mögliche Anwendungsfälle kann man einen Blick auf https://ibo.laboratorium.ee werfen.\n\nDa Burnt Blackcoins nicht ausgegeben werden können, können sie nicht wieder verkauft werden. "Verkaufen" von Burnt Blackcoins bedeutet, gewöhnliche Blackcoins zu verbrennen (mit zugehörigen Daten entsprechend der Zieladresse).\n\nIm Konfliktfall hat der BLK-Verkäufer den Transaktionshash zur Verfügung zu stellen.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Das Trading mit L-BTC auf Haveno setzt voraus, dass Sie Folgendes verstehen:\n\nWenn Sie L-BTC für einen Trade auf Haveno erhalten, können Sie nicht die mobile Blockstream Green Wallet App oder eine Custodial/Exchange Wallet verwenden. Sie dürfen L-BTC nur in der Liquid Elements Core Wallet oder eine andere L-BTC-Wallet erhalten, die es Ihnen ermöglicht, den Blinding Key für Ihre verdeckte L-BTC-Adresse zu erhalten.\n\nFalls eine Mediation erforderlich ist oder ein Trade-Konflikt entsteht, müssen Sie den Blinding Key für Ihre L-BTC-Empfangsadresse dem Haveno-Mediator oder dem Refund Agent mitteilen, damit dieser die Details Ihrer vertraulichen Transaktion auf seinem eigenen Elements Core Full Node überprüfen kann.\n\nWenn Sie dem Mediator oder Refund Agent die erforderlichen Informationen nicht zur Verfügung stellen, führt dies dazu, dass Sie den Streitfall verlieren. In allen Streitfällen trägt der L-BTC-Empfänger 100 % der Verantwortung für die Bereitstellung kryptographischer Beweise an den Mediator oder den Refund Agent.\n\nWenn Sie diese Anforderungen nicht verstehen, sollten Sie nicht mit L-BTC auf Haveno traden.
account.crypto.popup.liquidmonero.msg=Das Trading mit L-XMR auf Haveno setzt voraus, dass Sie Folgendes verstehen:\n\nWenn Sie L-XMR für einen Trade auf Haveno erhalten, können Sie nicht die mobile Blockstream Green Wallet App oder eine Custodial/Exchange Wallet verwenden. Sie dürfen L-XMR nur in der Liquid Elements Core Wallet oder eine andere L-XMR-Wallet erhalten, die es Ihnen ermöglicht, den Blinding Key für Ihre verdeckte L-XMR-Adresse zu erhalten.\n\nFalls eine Mediation erforderlich ist oder ein Trade-Konflikt entsteht, müssen Sie den Blinding Key für Ihre L-XMR-Empfangsadresse dem Haveno-Mediator oder dem Refund Agent mitteilen, damit dieser die Details Ihrer vertraulichen Transaktion auf seinem eigenen Elements Core Full Node überprüfen kann.\n\nWenn Sie dem Mediator oder Refund Agent die erforderlichen Informationen nicht zur Verfügung stellen, führt dies dazu, dass Sie den Streitfall verlieren. In allen Streitfällen trägt der L-XMR-Empfänger 100 % der Verantwortung für die Bereitstellung kryptographischer Beweise an den Mediator oder den Refund Agent.\n\nWenn Sie diese Anforderungen nicht verstehen, sollten Sie nicht mit L-XMR auf Haveno traden.
account.traditional.yourTraditionalAccounts=Ihre Nationalen Währungskonten
@ -1229,12 +1229,12 @@ account.password.setPw.headline=Passwortschutz Ihrer Wallet einrichten
account.password.info=Mit aktiviertem Passwortschutz müssen Sie Ihr Passwort eingeben, wenn Sie Monero aus Ihrer Brieftasche abheben, wenn Sie Ihre Seed-Wörter anzeigen oder Ihre Brieftasche wiederherstellen möchten sowie beim Start der Anwendung.
account.seed.backup.title=Backup der Seed-Wörter Ihrer Wallet erstellen
account.seed.info=Bitte schreiben Sie die sowohl Seed-Wörter als auch das Datum auf! Mit diesen Seed-Wörtern und dem Datum können Sie Ihre Wallet jederzeit wiederherstellen.\nDie Seed-Wörter werden für die BTC- und BSQ-Wallet genutzt.\n\nSchreiben Sie die Seed-Wörter auf ein Blatt Papier schreiben und speichern Sie sie nicht auf Ihrem Computer.\n\nBitte beachten Sie, dass die Seed-Wörter KEIN Ersatz für ein Backup sind.\nSie müssen ein Backup des gesamten Anwendungsverzeichnisses unter \"Konto/Backup\" erstellen, um den ursprünglichen Zustand der Anwendung wiederherstellen zu können.\nDas Importieren der Seed-Wörter wird nur für Notfälle empfohlen. Die Anwendung wird ohne richtiges Backup der Datenbankdateien und Schlüssel nicht funktionieren!
account.seed.info=Bitte schreiben Sie die sowohl Seed-Wörter als auch das Datum auf! Mit diesen Seed-Wörtern und dem Datum können Sie Ihre Wallet jederzeit wiederherstellen.\nDie Seed-Wörter werden für die XMR- und BSQ-Wallet genutzt.\n\nSchreiben Sie die Seed-Wörter auf ein Blatt Papier schreiben und speichern Sie sie nicht auf Ihrem Computer.\n\nBitte beachten Sie, dass die Seed-Wörter KEIN Ersatz für ein Backup sind.\nSie müssen ein Backup des gesamten Anwendungsverzeichnisses unter \"Konto/Backup\" erstellen, um den ursprünglichen Zustand der Anwendung wiederherstellen zu können.\nDas Importieren der Seed-Wörter wird nur für Notfälle empfohlen. Die Anwendung wird ohne richtiges Backup der Datenbankdateien und Schlüssel nicht funktionieren!
account.seed.backup.warning=Bitte beachten Sie, dass die Seed Wörter kein Ersatz für ein Backup sind.\nSie müssen ein Backup vom gesamten Anwendungs-Verzeichnis vom \"Account/Backup\" Pfad machen um den Status und die Dateien der Anwendung wiederherzustellen. \nDie Seed Wörter zu importieren wird nur für Notfälle empfohlen. Die Anwendung wird ohne ordnungsgemäßes Backup der Dateien und Schlüssel nicht funktionieren!\n\nWeitere Informationen finden Sie auf der Wiki-Seite [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Sie haben kein Wallet-Passwort festgelegt, was das Anzeigen der Seed-Wörter schützen würde.\n\nMöchten Sie die Seed-Wörter jetzt anzeigen?
account.seed.warn.noPw.yes=Ja, und nicht erneut fragen
account.seed.enterPw=Geben Sie Ihr Passwort ein um die Seed-Wörter zu sehen
account.seed.restore.info=Bitte erstellen Sie vor dem Wiederherstellen durch Keimwörter ein Backup. Beachten Sie auch, dass Wallet-Wiederherstellung nur für Notfälle ist und Probleme mit der internen Wallet-Datenbank verursachen kann.\nEs ist kein Weg ein Backup anzuwenden! Bitte nutzen Sie ein Backup des Anwendungsdatenordner um eine vorherigen Zustand wiederherzustellen. \n\nNach der Wiederherstellung wird die Anwendung herunterfahren. Nachdem Sie die Anwendung wieder gestartet haben, wird sie wieder mit dem Bitcoin-Netzwerk synchronisieren. Dies kann lange dauern und die CPU stark beanspruchen, vor allem, wenn die Wallet alt und viele Transaktionen hatte. Bitte unterbreche Sie diesen Prozess nicht, sonst müssen Sie vielleicht die SPV Kettendatei löschen und den Wiederherstellungsprozess wiederholen.
account.seed.restore.info=Bitte erstellen Sie vor dem Wiederherstellen durch Keimwörter ein Backup. Beachten Sie auch, dass Wallet-Wiederherstellung nur für Notfälle ist und Probleme mit der internen Wallet-Datenbank verursachen kann.\nEs ist kein Weg ein Backup anzuwenden! Bitte nutzen Sie ein Backup des Anwendungsdatenordner um eine vorherigen Zustand wiederherzustellen. \n\nNach der Wiederherstellung wird die Anwendung herunterfahren. Nachdem Sie die Anwendung wieder gestartet haben, wird sie wieder mit dem Monero-Netzwerk synchronisieren. Dies kann lange dauern und die CPU stark beanspruchen, vor allem, wenn die Wallet alt und viele Transaktionen hatte. Bitte unterbreche Sie diesen Prozess nicht, sonst müssen Sie vielleicht die SPV Kettendatei löschen und den Wiederherstellungsprozess wiederholen.
account.seed.restore.ok=Ok, mache die Wiederherstellung und fahre Haveno herunter
@ -1259,13 +1259,13 @@ account.notifications.trade.label=Erhalte Nachrichten zu Händel
account.notifications.market.label=Erhalte Benachrichtigungen zu Angeboten
account.notifications.price.label=Erhalte Preisbenachrichtigungen
account.notifications.priceAlert.title=Preisalarme:
account.notifications.priceAlert.high.label=Benachrichtigen, wenn BTC-Preis über
account.notifications.priceAlert.low.label=Benachrichtigen, wenn BTC-Preis unter
account.notifications.priceAlert.high.label=Benachrichtigen, wenn XMR-Preis über
account.notifications.priceAlert.low.label=Benachrichtigen, wenn XMR-Preis unter
account.notifications.priceAlert.setButton=Preisalarm setzen
account.notifications.priceAlert.removeButton=Preisalarm entfernen
account.notifications.trade.message.title=Handelsstatus verändert
account.notifications.trade.message.msg.conf=Die Kaution-Transaktion für den Handel mit ID {0} wurde bestätigt. Bitte öffnen Sie Ihre Haveno Anwendung und starten die Zahlung.
account.notifications.trade.message.msg.started=Der BTC-Käufer hat die Zahlung für den Handel mit ID {0} begonnen.
account.notifications.trade.message.msg.started=Der XMR-Käufer hat die Zahlung für den Handel mit ID {0} begonnen.
account.notifications.trade.message.msg.completed=Der Handel mit ID {0} ist abgeschlossen.
account.notifications.offer.message.title=Ihr Angebot wurde angenommen
account.notifications.offer.message.msg=Ihr Angebot mit ID {0} wurde angenommen
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=Sie haben eine Konflikt-Nachricht für
account.notifications.marketAlert.title=Angebotsalarme
account.notifications.marketAlert.selectPaymentAccount=Angebote, die dem Zahlungskonto entsprechen
account.notifications.marketAlert.offerType.label=Angebotstyp, an dem ich interessiert bin
account.notifications.marketAlert.offerType.buy=Kauf-Angebote (Ich möchte BTC verkaufen)
account.notifications.marketAlert.offerType.sell=Verkauf-Angebote (Ich möchte BTC kaufen)
account.notifications.marketAlert.offerType.buy=Kauf-Angebote (Ich möchte XMR verkaufen)
account.notifications.marketAlert.offerType.sell=Verkauf-Angebote (Ich möchte XMR kaufen)
account.notifications.marketAlert.trigger=Angebot Preisdistanz (%)
account.notifications.marketAlert.trigger.info=Mit gesetzter Preisdistanz, werden Sie nur einen Alarm erhalten, wenn ein Angebot veröffentlicht wird, das die Bedingungen erfüllt (oder übertrifft). Beispiel: Sie möchten BTC verkaufen, aber Sie werden nur 2% über dem momentanen Marktpreis verkaufen. Dieses Feld auf 2% setzen stellt sicher, dass Sie nur nur Alarme für Angebote erhalten, die 2% (oder mehr) über dem momentanen Marktpreis liegen.
account.notifications.marketAlert.trigger.info=Mit gesetzter Preisdistanz, werden Sie nur einen Alarm erhalten, wenn ein Angebot veröffentlicht wird, das die Bedingungen erfüllt (oder übertrifft). Beispiel: Sie möchten XMR verkaufen, aber Sie werden nur 2% über dem momentanen Marktpreis verkaufen. Dieses Feld auf 2% setzen stellt sicher, dass Sie nur nur Alarme für Angebote erhalten, die 2% (oder mehr) über dem momentanen Marktpreis liegen.
account.notifications.marketAlert.trigger.prompt=Prozentualer Abstand zum Marktpreis (z.B. 2.50%, -0.50%, etc)
account.notifications.marketAlert.addButton=Angebotsalarme hinzufügen
account.notifications.marketAlert.manageAlertsButton=Angebotsalarme verwalten
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=Verfügbarer Betrag
contractWindow.title=Konfliktdetails
contractWindow.dates=Angebotsdatum / Handelsdatum
contractWindow.btcAddresses=Bitcoinadresse BTC-Käufer / BTC-Verkäufer
contractWindow.onions=Netzwerkadresse BTC-Käufer / BTC-Verkäufer
contractWindow.accountAge=Kontoalter BTC Käufer / BTC Verkäufer
contractWindow.numDisputes=Anzahl Konflikte BTC-Käufer / BTC-Verkäufer
contractWindow.xmrAddresses=Moneroadresse XMR-Käufer / XMR-Verkäufer
contractWindow.onions=Netzwerkadresse XMR-Käufer / XMR-Verkäufer
contractWindow.accountAge=Kontoalter XMR Käufer / XMR Verkäufer
contractWindow.numDisputes=Anzahl Konflikte XMR-Käufer / XMR-Verkäufer
contractWindow.contractHash=Vertrags-Hash
displayAlertMessageWindow.headline=Wichtige Informationen!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=Zusammenfassung
disputeSummaryWindow.openDate=Erstellungsdatum des Tickets
disputeSummaryWindow.role=Rolle des Händlers
disputeSummaryWindow.payout=Auszahlung des Handelsbetrags
disputeSummaryWindow.payout.getsTradeAmount=Der BTC-{0} erhält die Auszahlung des Handelsbetrags
disputeSummaryWindow.payout.getsAll=Menge in BTC zu {0}
disputeSummaryWindow.payout.getsTradeAmount=Der XMR-{0} erhält die Auszahlung des Handelsbetrags
disputeSummaryWindow.payout.getsAll=Menge in XMR zu {0}
disputeSummaryWindow.payout.custom=Spezifische Auszahlung
disputeSummaryWindow.payoutAmount.buyer=Auszahlungsbetrag des Käufers
disputeSummaryWindow.payoutAmount.seller=Auszahlungsbetrag des Verkäufers
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=Ticket schließen
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket geschlossen am {0}\n{1}Node Adresse: {2}\n\nZusammenfassung:\nTrade ID: {3}\nWährung: {4}\nTrade-Betrag: {5}\nAuszahlungsbetrag für den BTC Käufer: {6}\nAuszahlungsbetrag für den BTC Verkäufer: {7}\n\nGrund für den Konflikt: {8}\n\nWeitere Hinweise:\n{9}\n
disputeSummaryWindow.close.msg=Ticket geschlossen am {0}\n{1}Node Adresse: {2}\n\nZusammenfassung:\nTrade ID: {3}\nWährung: {4}\nTrade-Betrag: {5}\nAuszahlungsbetrag für den XMR Käufer: {6}\nAuszahlungsbetrag für den XMR Verkäufer: {7}\n\nGrund für den Konflikt: {8}\n\nWeitere Hinweise:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1420,18 +1420,18 @@ filterWindow.mediators=Gefilterte Mediatoren (mit Komma getr. Onion-Adressen)
filterWindow.refundAgents=Gefilterte Rückerstattungsagenten (mit Komma getr. Onion-Adressen)
filterWindow.seedNode=Gefilterte Seed-Knoten (Komma getr. Onion-Adressen)
filterWindow.priceRelayNode=Gefilterte Preisrelais Knoten (Komma getr. Onion-Adressen)
filterWindow.xmrNode=Gefilterte Bitcoinknoten (Komma getr. Adresse + Port)
filterWindow.preventPublicXmrNetwork=Nutzung des öffentlichen Bitcoin-Netzwerks verhindern
filterWindow.xmrNode=Gefilterte Moneroknoten (Komma getr. Adresse + Port)
filterWindow.preventPublicXmrNetwork=Nutzung des öffentlichen Monero-Netzwerks verhindern
filterWindow.disableAutoConf=Automatische Bestätigung deaktivieren
filterWindow.autoConfExplorers=Gefilterter Explorer mit Auto-Bestätigung (Adressen mit Komma separiert)
filterWindow.disableTradeBelowVersion=Min. zum Handeln erforderliche Version
filterWindow.add=Filter hinzufügen
filterWindow.remove=Filter entfernen
filterWindow.xmrFeeReceiverAddresses=BTC Gebühr Empfänger-Adressen
filterWindow.xmrFeeReceiverAddresses=XMR Gebühr Empfänger-Adressen
filterWindow.disableApi=API deaktivieren
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Min. BTC-Betrag
offerDetailsWindow.minXmrAmount=Min. XMR-Betrag
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(Abstand zum Marktpreis: {0})
offerDetailsWindow.myTradingAccount=Mein Handelskonto
@ -1496,7 +1496,7 @@ tradeDetailsWindow.agentAddresses=Vermittler/Mediator
tradeDetailsWindow.detailData=Detaillierte Daten
txDetailsWindow.headline=Transaktionsdetails
txDetailsWindow.xmr.note=Sie haben BTC gesendet.
txDetailsWindow.xmr.note=Sie haben XMR gesendet.
txDetailsWindow.sentTo=Gesendet an
txDetailsWindow.txId=TxId
@ -1506,7 +1506,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Passwort zum Entsperren eingeben
@ -1532,12 +1532,12 @@ torNetworkSettingWindow.bridges.header=Ist Tor blockiert?
torNetworkSettingWindow.bridges.info=Falls Tor von Ihrem Provider oder in Ihrem Land blockiert wird, können Sie versuchen Tor-Bridges zu nutzen.\nBesuchen Sie die Tor-Webseite unter: https://bridges.torproject.org/bridges um mehr über Bridges und pluggable transposrts zu lernen.
feeOptionWindow.headline=Währung für Handelsgebührzahlung auswählen
feeOptionWindow.info=Sie können wählen, die Gebühr in BSQ oder BTC zu zahlen. Wählen Sie BSQ, erhalten Sie eine vergünstigte Handelsgebühr.
feeOptionWindow.info=Sie können wählen, die Gebühr in BSQ oder XMR zu zahlen. Wählen Sie BSQ, erhalten Sie eine vergünstigte Handelsgebühr.
feeOptionWindow.optionsLabel=Währung für Handelsgebührzahlung auswählen
feeOptionWindow.useBTC=BTC nutzen
feeOptionWindow.useXMR=XMR nutzen
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,9 +1579,9 @@ popup.warning.noTradingAccountSetup.msg=Sie müssen ein nationales Währung- ode
popup.warning.noArbitratorsAvailable=Momentan sind keine Vermittler verfügbar.
popup.warning.noMediatorsAvailable=Es sind keine Mediatoren verfügbar.
popup.warning.notFullyConnected=Sie müssen warten, bis Sie vollständig mit dem Netzwerk verbunden sind.\nDas kann bis ungefähr 2 Minuten nach dem Start dauern.
popup.warning.notSufficientConnectionsToBtcNetwork=Sie müssen warten, bis Sie wenigstens {0} Verbindungen zum Bitcoinnetzwerk haben.
popup.warning.downloadNotComplete=Sie müssen warten bis der Download der fehlenden Bitcoinblöcke abgeschlossen ist.
popup.warning.chainNotSynced=Die Blockchain Größe der Haveno Wallet ist nicht korrekt synchronisiert. Wenn Sie kürzlich die Applikation geöffnet haben, warten Sie bitte bis ein Bitcoin Block veröffentlicht wurde.\n\nSie können die Blockchain Größe unter Einstellungen/Netzwerkinformationen finden. Wenn mehr als ein Block veröffentlicht wird und das Problem weiterhin bestehen sollte, wird es eventuell abgewürgt werden. Dann sollten Sie einen SPV Resync durchführen. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Sie müssen warten, bis Sie wenigstens {0} Verbindungen zum Moneronetzwerk haben.
popup.warning.downloadNotComplete=Sie müssen warten bis der Download der fehlenden Moneroblöcke abgeschlossen ist.
popup.warning.chainNotSynced=Die Blockchain Größe der Haveno Wallet ist nicht korrekt synchronisiert. Wenn Sie kürzlich die Applikation geöffnet haben, warten Sie bitte bis ein Monero Block veröffentlicht wurde.\n\nSie können die Blockchain Größe unter Einstellungen/Netzwerkinformationen finden. Wenn mehr als ein Block veröffentlicht wird und das Problem weiterhin bestehen sollte, wird es eventuell abgewürgt werden. Dann sollten Sie einen SPV Resync durchführen. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Sind Sie sicher, dass Sie das Angebot entfernen wollen?
popup.warning.tooLargePercentageValue=Es kann kein Prozentsatz von 100% oder mehr verwendet werden.
popup.warning.examplePercentageValue=Bitte geben sei einen Prozentsatz wie folgt ein \"5.4\" für 5.4%
@ -1601,13 +1601,13 @@ popup.warning.priceRelay=Preisrelais
popup.warning.seed=Seed
popup.warning.mandatoryUpdate.trading=Bitte aktualisieren Sie auf die neueste Haveno-Version. Es wurde ein obligatorisches Update veröffentlicht, das den Handel mit alten Versionen deaktiviert. Bitte besuchen Sie das Haveno-Forum für weitere Informationen.
popup.warning.noFilter=Wir haben kein Filterobjekt von den Seed Nodes erhalten. Diese Situation ist unerwartet. Bitte informieren Sie die Haveno Entwickler.
popup.warning.burnBTC=Die Transaktion ist nicht möglich, da die Mininggebühren von {0} den übertragenen Betrag von {1} überschreiten würden. Bitte warten Sie, bis die Gebühren wieder niedrig sind, oder Sie mehr BTC zum übertragen angesammelt haben.
popup.warning.burnXMR=Die Transaktion ist nicht möglich, da die Mininggebühren von {0} den übertragenen Betrag von {1} überschreiten würden. Bitte warten Sie, bis die Gebühren wieder niedrig sind, oder Sie mehr XMR zum übertragen angesammelt haben.
popup.warning.openOffer.makerFeeTxRejected=Die Verkäufergebühren-Transaktion für das Angebot mit der ID {0} wurde vom Bitcoin-Netzwerk abgelehnt.\nTransaktions-ID={1}.\nDas Angebot wurde entfernt, um weitere Probleme zu vermeiden.\nBitte gehen Sie zu \"Einstellungen/Netzwerkinformationen\" und führen Sie eine SPV-Resynchronisierung durch.\nFür weitere Hilfe wenden Sie sich bitte an den Haveno-Support-Kanal des Haveno Keybase Teams.
popup.warning.openOffer.makerFeeTxRejected=Die Verkäufergebühren-Transaktion für das Angebot mit der ID {0} wurde vom Monero-Netzwerk abgelehnt.\nTransaktions-ID={1}.\nDas Angebot wurde entfernt, um weitere Probleme zu vermeiden.\nBitte gehen Sie zu \"Einstellungen/Netzwerkinformationen\" und führen Sie eine SPV-Resynchronisierung durch.\nFür weitere Hilfe wenden Sie sich bitte an den Haveno-Support-Kanal des Haveno Keybase Teams.
popup.warning.trade.txRejected.tradeFee=Trade-Gebühr
popup.warning.trade.txRejected.deposit=Kaution
popup.warning.trade.txRejected=Die {0} Transaktion für den Trade mit der ID {1} wurde vom Bitcoin-Netzwerk abgelehnt.\nTransaktions-ID={2}}\nDer Trade wurde in gescheiterte Trades verschoben.\nBitte gehen Sie zu \"Einstellungen/Netzwerkinformationen\" und führen Sie einen SPV Resync durch.\nFür weitere Hilfe wenden Sie sich bitte an den Haveno-Support-Kanal des Haveno Keybase Teams.
popup.warning.trade.txRejected=Die {0} Transaktion für den Trade mit der ID {1} wurde vom Monero-Netzwerk abgelehnt.\nTransaktions-ID={2}}\nDer Trade wurde in gescheiterte Trades verschoben.\nBitte gehen Sie zu \"Einstellungen/Netzwerkinformationen\" und führen Sie einen SPV Resync durch.\nFür weitere Hilfe wenden Sie sich bitte an den Haveno-Support-Kanal des Haveno Keybase Teams.
popup.warning.openOfferWithInvalidMakerFeeTx=Die Verkäufergebühren-Transaktion für das Angebot mit der ID {0} ist ungültig.\nTransaktions-ID={1}.\nBitte gehen Sie zu \"Einstellungen/Netzwerkinformationen\" und führen Sie eine SPV-Resynchronisierung durch.\nFür weitere Hilfe wenden Sie sich bitte an den Haveno-Support-Kanal des Haveno Keybase Teams.
@ -1622,7 +1622,7 @@ popup.warn.downGradePrevention=Downgrade von Version {0} auf Version {1} wird ni
popup.privateNotification.headline=Wichtige private Benachrichtigung!
popup.securityRecommendation.headline=Wichtige Sicherheitsempfehlung
popup.securityRecommendation.msg=Wir würden Sie gerne daran erinnern, sich zu überlegen, den Passwortschutz Ihrer Wallet zu verwenden, falls Sie diesen noch nicht aktiviert haben.\n\nEs wird außerdem dringend empfohlen, dass Sie die Wallet-Seed-Wörter aufschreiben. Diese Seed-Wörter sind wie ein Master-Passwort zum Wiederherstellen ihrer Bitcoin-Wallet.\nIm \"Wallet-Seed\"-Abschnitt finden Sie weitere Informationen.\n\nZusätzlich sollten Sie ein Backup des ganzen Anwendungsdatenordners im \"Backup\"-Abschnitt erstellen.
popup.securityRecommendation.msg=Wir würden Sie gerne daran erinnern, sich zu überlegen, den Passwortschutz Ihrer Wallet zu verwenden, falls Sie diesen noch nicht aktiviert haben.\n\nEs wird außerdem dringend empfohlen, dass Sie die Wallet-Seed-Wörter aufschreiben. Diese Seed-Wörter sind wie ein Master-Passwort zum Wiederherstellen ihrer Monero-Wallet.\nIm \"Wallet-Seed\"-Abschnitt finden Sie weitere Informationen.\n\nZusätzlich sollten Sie ein Backup des ganzen Anwendungsdatenordners im \"Backup\"-Abschnitt erstellen.
popup.moneroLocalhostNode.msg=Haveno hat einen Monero-Knoten entdeckt, der auf diesem Rechner (auf localhost) läuft.\n\nBitte stellen Sie sicher, dass der Knoten vollständig synchronisiert ist, bevor Sie Haveno starten.
@ -1677,9 +1677,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Unterzeichnung fehlgeschlagen
notification.trade.headline=Benachrichtigung zum Handel mit der ID {0}
notification.ticket.headline=Support-Ticket für den Handel mit der ID {0}
notification.trade.completed=Ihr Handel ist jetzt abgeschlossen und Sie können Ihre Gelder abheben.
notification.trade.accepted=Ihr Angebot wurde von einem BTC-{0} angenommen.
notification.trade.accepted=Ihr Angebot wurde von einem XMR-{0} angenommen.
notification.trade.unlocked=Ihr Handel hat wenigstens eine Blockchain-Bestätigung.\nSie können die Zahlung nun beginnen.
notification.trade.paymentSent=Der BTC-Käufer hat die Zahlung begonnen.
notification.trade.paymentSent=Der XMR-Käufer hat die Zahlung begonnen.
notification.trade.selectTrade=Handel wählen
notification.trade.peerOpenedDispute=Ihr Handelspartner hat ein/einen {0} geöffnet.
notification.trade.disputeClosed=Der/Das {0} wurde geschlossen.
@ -1698,7 +1698,7 @@ systemTray.show=Anwendungsfenster anzeigen
systemTray.hide=Anwendungsfenster verstecken
systemTray.info=Informationen zu Haveno
systemTray.exit=Beenden
systemTray.tooltip=Haveno: Ein dezentrales Bitcoin-Tauschbörsen-Netzwerk
systemTray.tooltip=Haveno: Ein dezentrales Monero-Tauschbörsen-Netzwerk
####################################################################
@ -1760,10 +1760,10 @@ peerInfo.age.noRisk=Alter des Zahlungskontos
peerInfo.age.chargeBackRisk=Zeit seit der Unterzeichnung
peerInfo.unknownAge=Alter unbekannt
addressTextField.openWallet=Ihre Standard-Bitcoin-Wallet öffnen
addressTextField.openWallet=Ihre Standard-Monero-Wallet öffnen
addressTextField.copyToClipboard=Adresse in Zwischenablage kopieren
addressTextField.addressCopiedToClipboard=Die Adresse wurde in die Zwischenablage kopiert
addressTextField.openWallet.failed=Öffnen einer Bitcoin-Wallet-Standardanwendung ist fehlgeschlagen. Haben Sie möglicherweise keine installiert?
addressTextField.openWallet.failed=Öffnen einer Monero-Wallet-Standardanwendung ist fehlgeschlagen. Haben Sie möglicherweise keine installiert?
peerInfoIcon.tooltip={0}\nMarkierung: {1}
@ -1811,11 +1811,11 @@ formatter.asTaker={0} {1} als Abnehmer
# we use enum values here
# dynamic values are not recognized by IntelliJ
# suppress inspection "UnusedProperty"
XMR_MAINNET=Bitcoin-Hauptnetzwerk
XMR_MAINNET=Monero-Hauptnetzwerk
# suppress inspection "UnusedProperty"
XMR_LOCAL=Bitcoin-Testnetzwerk
XMR_LOCAL=Monero-Testnetzwerk
# suppress inspection "UnusedProperty"
XMR_STAGENET=Bitcoin-Regtest
XMR_STAGENET=Monero-Regtest
time.year=Jahr
time.month=Monat
@ -1854,7 +1854,7 @@ seed.date=Wallets-Datum
seed.restore.title=Wallets aus Seed-Wörtern wiederherstellen
seed.restore=Wallets wiederherstellen
seed.creationDate=Erstellungsdatum
seed.warn.walletNotEmpty.msg=Ihre Bitcoin-Wallet ist nicht leer.\n\nSie müssen diese Wallet leeren, bevor Sie versuchen, eine ältere Wallet wiederherzustellen, da das Verwechseln von Wallets zu ungültigen Backups führen kann.\n\nBitte schließen Sie Ihre laufenden Trades ab, schließen Sie Ihre offenen Angebote und gehen Sie auf \"Gelder\", um Ihre Bitcoins zu versenden.\nSollten Sie nicht auf Ihre Bitcoins zugreifen können, können Sie das Notfallwerkzeug nutzen, um Ihre Wallet zu leeren.\nUm das Notfallwerkzeug zu öffnen, drücken Sie \"alt + e\" oder \"cmd/Strg + e\".
seed.warn.walletNotEmpty.msg=Ihre Monero-Wallet ist nicht leer.\n\nSie müssen diese Wallet leeren, bevor Sie versuchen, eine ältere Wallet wiederherzustellen, da das Verwechseln von Wallets zu ungültigen Backups führen kann.\n\nBitte schließen Sie Ihre laufenden Trades ab, schließen Sie Ihre offenen Angebote und gehen Sie auf \"Gelder\", um Ihre Moneros zu versenden.\nSollten Sie nicht auf Ihre Moneros zugreifen können, können Sie das Notfallwerkzeug nutzen, um Ihre Wallet zu leeren.\nUm das Notfallwerkzeug zu öffnen, drücken Sie \"alt + e\" oder \"cmd/Strg + e\".
seed.warn.walletNotEmpty.restore=Ich möchte trotzdem wiederherstellen
seed.warn.walletNotEmpty.emptyWallet=Ich werde meine Wallets erst leeren
seed.warn.notEncryptedAnymore=Ihre Wallets sind verschlüsselt.\n\nNach einer Wiederherstellung werden die Wallets nicht mehr verschlüsselt sein und Sie werden ein neues Passwort festlegen müssen.\n\nMöchten Sie fortfahren?
@ -1945,12 +1945,12 @@ payment.checking=Überprüfe
payment.savings=Ersparnisse
payment.personalId=Personalausweis
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle ist ein Geldtransferdienst, der am besten *durch* eine andere Bank funktioniert.\n\n1. Sehen Sie auf dieser Seite nach, ob (und wie) Ihre Bank mit Zelle zusammenarbeitet:\nhttps://www.zellepay.com/get-started\n\n2. Achten Sie besonders auf Ihre Überweisungslimits - die Sendelimits variieren je nach Bank, und die Banken geben oft separate Tages-, Wochen- und Monatslimits an.\n\n3. Wenn Ihre Bank nicht mit Zelle zusammenarbeitet, können Sie die Zahlungsmethode trotzdem über die Zelle Mobile App benutzen, aber Ihre Überweisungslimits werden viel niedriger sein.\n\n4. Der auf Ihrem Haveno-Konto angegebene Name MUSS mit dem Namen auf Ihrem Zelle/Bankkonto übereinstimmen. \n\nWenn Sie eine Zelle Transaktion nicht wie in Ihrem Handelsvertrag angegeben durchführen können, verlieren Sie möglicherweise einen Teil (oder die gesamte) Sicherheitskaution.\n\nWegen des etwas höheren Chargeback-Risikos von Zelle wird Verkäufern empfohlen, nicht unterzeichnete Käufer per E-Mail oder SMS zu kontaktieren, um zu überprüfen, ob der Käufer wirklich das in Haveno angegebene Zelle-Konto besitzt.
payment.fasterPayments.newRequirements.info=Einige Banken haben damit begonnen, den vollständigen Namen des Empfängers für Faster Payments Überweisungen zu überprüfen. Ihr aktuelles Faster Payments-Konto gibt keinen vollständigen Namen an.\n\nBitte erwägen Sie, Ihr Faster Payments-Konto in Haveno neu einzurichten, um zukünftigen {0} Käufern einen vollständigen Namen zu geben.\n\nWenn Sie das Konto neu erstellen, stellen Sie sicher, dass Sie die genaue Bankleitzahl, Kontonummer und die "Salt"-Werte für die Altersverifikation von Ihrem alten Konto auf Ihr neues Konto kopieren. Dadurch wird sichergestellt, dass das Alter und der Unterschriftsstatus Ihres bestehenden Kontos erhalten bleiben.
payment.moneyGram.info=Bei der Nutzung von MoneyGram, muss der BTC Käufer die MoneyGram Zulassungsnummer und ein Foto der Quittung per E-Mail an den BTC-Verkäufer senden. Die Quittung muss den vollständigen Namen, das Land, das Bundesland des Verkäufers und den Betrag deutlich zeigen. Der Käufer bekommt die E-Mail-Adresse des Verkäufers im Handelsprozess angezeigt.
payment.westernUnion.info=Bei der Nutzung von Western Union, muss der BTC Käufer die MTCN (Tracking-Nummer) Foto der Quittung per E-Mail an den BTC-Verkäufer senden. Die Quittung muss den vollständigen Namen, das Land, die Stadt des Verkäufers und den Betrag deutlich zeigen. Der Käufer bekommt die E-Mail-Adresse des Verkäufers im Handelsprozess angezeigt.
payment.halCash.info=Bei Verwendung von HalCash muss der BTC-Käufer dem BTC-Verkäufer den HalCash-Code per SMS vom Mobiltelefon senden.\n\nBitte achten Sie darauf, dass Sie den maximalen Betrag, den Sie bei Ihrer Bank mit HalCash versenden dürfen, nicht überschreiten. Der Mindestbetrag pro Auszahlung beträgt 10 EUR und der Höchstbetrag 600 EUR. Bei wiederholten Abhebungen sind es 3000 EUR pro Empfänger pro Tag und 6000 EUR pro Empfänger pro Monat. Bitte überprüfen Sie diese Limits bei Ihrer Bank, um sicherzustellen, dass sie die gleichen Limits wie hier angegeben verwenden.\n\nDer Auszahlungsbetrag muss ein Vielfaches von 10 EUR betragen, da Sie keine anderen Beträge an einem Geldautomaten abheben können. Die Benutzeroberfläche beim Erstellen und Annehmen eines Angebots passt den BTC-Betrag so an, dass der EUR-Betrag korrekt ist. Sie können keinen marktbasierten Preis verwenden, da sich der EUR-Betrag bei sich ändernden Preisen ändern würde.\n\nIm Streitfall muss der BTC-Käufer den Nachweis erbringen, dass er die EUR geschickt hat.
payment.moneyGram.info=Bei der Nutzung von MoneyGram, muss der XMR Käufer die MoneyGram Zulassungsnummer und ein Foto der Quittung per E-Mail an den XMR-Verkäufer senden. Die Quittung muss den vollständigen Namen, das Land, das Bundesland des Verkäufers und den Betrag deutlich zeigen. Der Käufer bekommt die E-Mail-Adresse des Verkäufers im Handelsprozess angezeigt.
payment.westernUnion.info=Bei der Nutzung von Western Union, muss der XMR Käufer die MTCN (Tracking-Nummer) Foto der Quittung per E-Mail an den XMR-Verkäufer senden. Die Quittung muss den vollständigen Namen, das Land, die Stadt des Verkäufers und den Betrag deutlich zeigen. Der Käufer bekommt die E-Mail-Adresse des Verkäufers im Handelsprozess angezeigt.
payment.halCash.info=Bei Verwendung von HalCash muss der XMR-Käufer dem XMR-Verkäufer den HalCash-Code per SMS vom Mobiltelefon senden.\n\nBitte achten Sie darauf, dass Sie den maximalen Betrag, den Sie bei Ihrer Bank mit HalCash versenden dürfen, nicht überschreiten. Der Mindestbetrag pro Auszahlung beträgt 10 EUR und der Höchstbetrag 600 EUR. Bei wiederholten Abhebungen sind es 3000 EUR pro Empfänger pro Tag und 6000 EUR pro Empfänger pro Monat. Bitte überprüfen Sie diese Limits bei Ihrer Bank, um sicherzustellen, dass sie die gleichen Limits wie hier angegeben verwenden.\n\nDer Auszahlungsbetrag muss ein Vielfaches von 10 EUR betragen, da Sie keine anderen Beträge an einem Geldautomaten abheben können. Die Benutzeroberfläche beim Erstellen und Annehmen eines Angebots passt den XMR-Betrag so an, dass der EUR-Betrag korrekt ist. Sie können keinen marktbasierten Preis verwenden, da sich der EUR-Betrag bei sich ändernden Preisen ändern würde.\n\nIm Streitfall muss der XMR-Käufer den Nachweis erbringen, dass er die EUR geschickt hat.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Bitte beachten Sie, dass alle Banküberweisungen mit einem gewissen Rückbuchungsrisiko verbunden sind. Um dieses Risiko zu mindern, setzt Haveno Limits pro Trade fest, je nachdem wie hoch das Rückbuchungsrisiko der Zahlungsmethode ist. \n\nFür diese Zahlungsmethode beträgt Ihr Pro-Trade-Limit zum Kaufen oder Verkaufen {2}.\nDieses Limit gilt nur für die Größe eines einzelnen Trades - Sie können soviele Trades platzieren wie Sie möchten.\n\nFinden Sie mehr Informationen im Wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1966,7 +1966,7 @@ payment.amazonGiftCard.upgrade=Bei der Zahlungsmethode Amazon Geschenkkarten mus
payment.account.amazonGiftCard.addCountryInfo={0}\nDein bestehendes Amazon Geschenkkarten Konto ({1}) wurde keinem Land zugeteilt.\nBitte geben Sie das Amazon Geschenkkarten Land ein um Ihre Kontodaten zu aktualisieren.\nDas wird ihr Kontoalter nicht beeinflussen.
payment.amazonGiftCard.upgrade.headLine=Amazon Geschenkkarte Konto updaten
payment.usPostalMoneyOrder.info=Der Handel auf Haveno unter Verwendung von US Postal Money Orders (USPMO) setzt voraus, dass Sie Folgendes verstehen:\n\n- Der BTC-Käufer muss den Namen des BTC-Verkäufers sowohl in das Feld des Zahlers als auch in das Feld des Zahlungsempfängers eintragen und vor dem Versand ein hochauflösendes Foto des USPMO und des Umschlags mit dem Tracking-Nachweis machen.\n- BTC-Käufer müssen den USPMO mit Zustellbenachrichtigung an den BTC-Verkäufer schicken.\n\nFür den Fall, dass eine Mediation erforderlich ist oder es zu einem Handelskonflikt kommt, müssen Sie die Fotos zusammen mit der USPMO-Seriennummer, der Nummer des Postamtes und dem Dollarbetrag an den Haveno-Vermittler oder Rückerstattungsbeauftragten schicken, damit dieser die Angaben auf der Website der US-Post überprüfen kann.\n\nWenn Sie dem Vermittler oder der Schiedsperson die erforderlichen Informationen nicht zur Verfügung stellen, führt dies dazu, dass der Konflikt zu Ihrem Nachteil entschieden wird.\n\nIn allen Konfliktfällen trägt der USPMO-Absender 100% der Verantwortung für die Bereitstellung von Beweisen/Nachweisen für den Vermittler oder die Schiedsperson.\n\nWenn Sie diese Anforderungen nicht verstehen, handeln Sie bitte nicht auf Haveno unter Verwendung von USPMO.
payment.usPostalMoneyOrder.info=Der Handel auf Haveno unter Verwendung von US Postal Money Orders (USPMO) setzt voraus, dass Sie Folgendes verstehen:\n\n- Der XMR-Käufer muss den Namen des XMR-Verkäufers sowohl in das Feld des Zahlers als auch in das Feld des Zahlungsempfängers eintragen und vor dem Versand ein hochauflösendes Foto des USPMO und des Umschlags mit dem Tracking-Nachweis machen.\n- XMR-Käufer müssen den USPMO mit Zustellbenachrichtigung an den XMR-Verkäufer schicken.\n\nFür den Fall, dass eine Mediation erforderlich ist oder es zu einem Handelskonflikt kommt, müssen Sie die Fotos zusammen mit der USPMO-Seriennummer, der Nummer des Postamtes und dem Dollarbetrag an den Haveno-Vermittler oder Rückerstattungsbeauftragten schicken, damit dieser die Angaben auf der Website der US-Post überprüfen kann.\n\nWenn Sie dem Vermittler oder der Schiedsperson die erforderlichen Informationen nicht zur Verfügung stellen, führt dies dazu, dass der Konflikt zu Ihrem Nachteil entschieden wird.\n\nIn allen Konfliktfällen trägt der USPMO-Absender 100% der Verantwortung für die Bereitstellung von Beweisen/Nachweisen für den Vermittler oder die Schiedsperson.\n\nWenn Sie diese Anforderungen nicht verstehen, handeln Sie bitte nicht auf Haveno unter Verwendung von USPMO.
payment.payByMail.info=Der Handel über Pay by Mail auf Haveno erfordert, dass Sie Folgendes verstehen:\n\
\n\
@ -1996,7 +1996,7 @@ payment.f2f.city.prompt=Die Stadt wird mit dem Angebot angezeigt
payment.shared.optionalExtra=Freiwillige zusätzliche Informationen
payment.shared.extraInfo=Zusätzliche Informationen
payment.shared.extraInfo.prompt=Gib spezielle Bedingungen, Abmachungen oder Details die bei ihren Angeboten unter diesem Zahlungskonto angezeigt werden sollen an. Nutzer werden diese Informationen vor der Annahme des Angebots sehen.
payment.f2f.info=Persönliche 'Face to Face' Trades haben unterschiedliche Regeln und sind mit anderen Risiken verbunden als gewöhnliche Online-Trades.\n\nDie Hauptunterschiede sind:\n● Die Trading Partner müssen die Kontaktdaten und Informationen über den Ort und die Uhrzeit des Treffens austauschen.\n● Die Trading Partner müssen ihre Laptops mitbringen und die Bestätigung der "gesendeten Zahlung" und der "erhaltenen Zahlung" am Treffpunkt vornehmen.\n● Wenn ein Ersteller eines Angebots spezielle "Allgemeine Geschäftsbedingungen" hat, muss er diese im Textfeld "Zusatzinformationen" des Kontos angeben.\n● Mit der Annahme eines Angebots erklärt sich der Käufer mit den vom Anbieter angegebenen "Allgemeinen Geschäftsbedingungen" einverstanden.\n● Im Konfliktfall kann der Mediator oder Arbitrator nicht viel tun, da es in der Regel schwierig ist zu bestimmen, was beim Treffen passiert ist. In solchen Fällen können die Bitcoin auf unbestimmte Zeit oder bis zu einer Einigung der Trading Peers gesperrt werden.\n\nUm sicherzustellen, dass Sie die Besonderheiten der persönlichen 'Face to Face' Trades vollständig verstehen, lesen Sie bitte die Anweisungen und Empfehlungen unter: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info=Persönliche 'Face to Face' Trades haben unterschiedliche Regeln und sind mit anderen Risiken verbunden als gewöhnliche Online-Trades.\n\nDie Hauptunterschiede sind:\n● Die Trading Partner müssen die Kontaktdaten und Informationen über den Ort und die Uhrzeit des Treffens austauschen.\n● Die Trading Partner müssen ihre Laptops mitbringen und die Bestätigung der "gesendeten Zahlung" und der "erhaltenen Zahlung" am Treffpunkt vornehmen.\n● Wenn ein Ersteller eines Angebots spezielle "Allgemeine Geschäftsbedingungen" hat, muss er diese im Textfeld "Zusatzinformationen" des Kontos angeben.\n● Mit der Annahme eines Angebots erklärt sich der Käufer mit den vom Anbieter angegebenen "Allgemeinen Geschäftsbedingungen" einverstanden.\n● Im Konfliktfall kann der Mediator oder Arbitrator nicht viel tun, da es in der Regel schwierig ist zu bestimmen, was beim Treffen passiert ist. In solchen Fällen können die Monero auf unbestimmte Zeit oder bis zu einer Einigung der Trading Peers gesperrt werden.\n\nUm sicherzustellen, dass Sie die Besonderheiten der persönlichen 'Face to Face' Trades vollständig verstehen, lesen Sie bitte die Anweisungen und Empfehlungen unter: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Webseite öffnen
payment.f2f.offerbook.tooltip.countryAndCity=Land und Stadt: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Zusätzliche Informationen: {0}
@ -2008,7 +2008,7 @@ payment.japan.recipient=Name
payment.australia.payid=PayID
payment.payid=PayIDs wie E-Mail Adressen oder Telefonnummern die mit Finanzinstitutionen verbunden sind.
payment.payid.info=Eine PayID wie eine Telefonnummer, E-Mail Adresse oder Australische Business Number (ABN) mit der Sie sicher Ihre Bank, Kreditgenossenschaft oder Bausparkassenkonto verlinken können. Sie müssen bereits eine PayID mit Ihrer Australischen Finanzinstitution erstellt haben. Beide Institutionen, die die sendet und die die empfängt, müssen PayID unterstützen. Weitere informationen finden Sie unter [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=Um mit einer Amazon eGift Geschenkkarte zu bezahlen, müssen Sie eine Amazon eGift Geschenkkarte über Ihr Amazon-Konto an den BTC-Verkäufer senden. \n\nHaveno zeigt die E-Mail-Adresse oder Telefonnummer des BTC-Verkäufers an, an die die Geschenkkarte gesendet werden soll, und Sie müssen die Handels-ID in das Nachrichtenfeld der Geschenkkarte eintragen. Bitte lesen Sie das Wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] für weitere Details und empfohlene Vorgehensweisen. \n\nDrei wichtige Hinweise:\n- Versuchen Sie Geschenkkarten mit Beträgen von 100 USD oder weniger zu versenden, weil Amazon größere Geschenkkarten gerne als betrügerisch kennzeichnet\n- Versuchen Sie einen kreativen, glaubwürdigen Text für die Nachricht der Geschenkkarten zu verwenden (z.B. "Alles Gute zum Geburtstag Susi!"), zusammen mit der Handels-ID (und verwenden Sie den Handels-Chat, um Ihrem Handelspartner den von Ihnen gewählten Referenztext mitzuteilen, damit er Ihre Zahlung überprüfen kann)\n- Amazon Geschenkkarten können nur auf der Amazon-Website eingelöst werden, auf der sie gekauft wurden (z. B. kann eine auf amazon.it gekaufte Geschenkkarte nur auf amazon.it eingelöst werden)
payment.amazonGiftCard.info=Um mit einer Amazon eGift Geschenkkarte zu bezahlen, müssen Sie eine Amazon eGift Geschenkkarte über Ihr Amazon-Konto an den XMR-Verkäufer senden. \n\nHaveno zeigt die E-Mail-Adresse oder Telefonnummer des XMR-Verkäufers an, an die die Geschenkkarte gesendet werden soll, und Sie müssen die Handels-ID in das Nachrichtenfeld der Geschenkkarte eintragen. Bitte lesen Sie das Wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] für weitere Details und empfohlene Vorgehensweisen. \n\nDrei wichtige Hinweise:\n- Versuchen Sie Geschenkkarten mit Beträgen von 100 USD oder weniger zu versenden, weil Amazon größere Geschenkkarten gerne als betrügerisch kennzeichnet\n- Versuchen Sie einen kreativen, glaubwürdigen Text für die Nachricht der Geschenkkarten zu verwenden (z.B. "Alles Gute zum Geburtstag Susi!"), zusammen mit der Handels-ID (und verwenden Sie den Handels-Chat, um Ihrem Handelspartner den von Ihnen gewählten Referenztext mitzuteilen, damit er Ihre Zahlung überprüfen kann)\n- Amazon Geschenkkarten können nur auf der Amazon-Website eingelöst werden, auf der sie gekauft wurden (z. B. kann eine auf amazon.it gekaufte Geschenkkarte nur auf amazon.it eingelöst werden)
# We use constants from the code so we do not use our normal naming convention
@ -2166,7 +2166,7 @@ validation.zero=Die Eingabe von 0 ist nicht erlaubt.
validation.negative=Ein negativer Wert ist nicht erlaubt.
validation.traditional.tooSmall=Eingaben kleiner als der minimal mögliche Betrag sind nicht erlaubt.
validation.traditional.tooLarge=Eingaben größer als der maximal mögliche Betrag sind nicht erlaubt.
validation.xmr.fraction=Input wird einem Bitcoin Wert von weniger als 1 satoshi entsprechen
validation.xmr.fraction=Input wird einem Monero Wert von weniger als 1 satoshi entsprechen
validation.xmr.tooLarge=Eingaben größer als {0} sind nicht erlaubt.
validation.xmr.tooSmall=Eingabe kleiner als {0} ist nicht erlaubt.
validation.passwordTooShort=Das Passwort das Sie eingegeben haben ist zu kurz. Es muss mindestens 8 Zeichen enthalten.
@ -2176,10 +2176,10 @@ validation.sortCodeChars={0} muss aus {1} Zeichen bestehen.
validation.bankIdNumber={0} muss aus {1} Zahlen bestehen.
validation.accountNr=Die Kontonummer muss aus {0} Zahlen bestehen.
validation.accountNrChars=Die Kontonummer muss aus {0} Zeichen bestehen.
validation.btc.invalidAddress=Die Adresse ist nicht korrekt. Bitte überprüfen Sie das Adressformat.
validation.xmr.invalidAddress=Die Adresse ist nicht korrekt. Bitte überprüfen Sie das Adressformat.
validation.integerOnly=Bitte nur ganze Zahlen eingeben.
validation.inputError=Ihre Eingabe hat einen Fehler verursacht:\n{0}
validation.btc.exceedsMaxTradeLimit=Ihr Handelslimit ist {0}.
validation.xmr.exceedsMaxTradeLimit=Ihr Handelslimit ist {0}.
validation.nationalAccountId={0} muss aus {1} Zahlen bestehen.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Entendido
shared.na=No disponible
shared.shutDown=Apagar
shared.reportBug=Reportar error de software en Github
shared.buyBitcoin=Comprar bitcoin
shared.sellBitcoin=Vender bitcoin
shared.buyMonero=Comprar monero
shared.sellMonero=Vender monero
shared.buyCurrency=Comprar {0}
shared.sellCurrency=Vender {0}
shared.buyingBTCWith=Comprando BTC con {0}
shared.sellingBTCFor=Vendiendo BTC por {0}
shared.buyingCurrency=comprando {0} (Vendiendo BTC)
shared.sellingCurrency=Vendiendo {0} (comprando BTC)
shared.buyingXMRWith=Comprando XMR con {0}
shared.sellingXMRFor=Vendiendo XMR por {0}
shared.buyingCurrency=comprando {0} (Vendiendo XMR)
shared.sellingCurrency=Vendiendo {0} (comprando XMR)
shared.buy=comprar
shared.sell=vender
shared.buying=comprando
@ -93,7 +93,7 @@ shared.amountMinMax=Cantidad (min-max)
shared.amountHelp=Si una oferta tiene una cantidad mínima y máxima establecida, entonces puede intercambiar cualquier cantidad dentro de este rango.
shared.remove=Eliminar
shared.goTo=Ir a {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Eliminar oferta
shared.dontRemoveOffer=No eliminar oferta
shared.editOffer=Editar oferta
@ -112,7 +112,7 @@ shared.enterPercentageValue=Introduzca valor %
shared.OR=ó
shared.notEnoughFunds=No tiene suficientes fondos en su monedero haveno para esta transacción. Necesita {0} pero solo tiene {1} disponibles.\n\nPor favor deposite desde un monedero externo o agregue fondos a su monedero Haveno en Fondos > Recibir Fondos.
shared.waitingForFunds=Esperando fondos...
shared.TheBTCBuyer=El comprador de BTC
shared.TheXMRBuyer=El comprador de XMR
shared.You=Usted
shared.sendingConfirmation=Enviando confirmación...
shared.sendingConfirmationAgain=Por favor envíe confirmación de nuevo
@ -125,7 +125,7 @@ shared.notUsedYet=Sin usar aún
shared.date=Fecha
shared.sendFundsDetailsWithFee=Enviando: {0}\nDesde la dirección: {1}\nA la dirección receptora: {2}.\nLa comisión requerida de transacción es: {3} ({4} Satoshis/vbyte)\nTamaño de la transacción: {5} vKb\n\nEl receptor recibirá: {6}\n\nSeguro que quiere retirar esta cantidad?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detectó que esta transacción crearía una salida que está por debajo del umbral mínimo considerada polvo (y no está permitida por las reglas de consenso en Bitcoin). En cambio, esta transacción polvo ({0} satoshi {1}) se agregará a la tarifa de minería.\n\n\n
shared.sendFundsDetailsDust=Haveno detectó que esta transacción crearía una salida que está por debajo del umbral mínimo considerada polvo (y no está permitida por las reglas de consenso en Monero). En cambio, esta transacción polvo ({0} satoshi {1}) se agregará a la tarifa de minería.\n\n\n
shared.copyToClipboard=Copiar al portapapeles
shared.language=Idioma
shared.country=País
@ -169,7 +169,7 @@ shared.payoutTxId=ID de transacción de pago
shared.contractAsJson=Contrato en formato JSON
shared.viewContractAsJson=Ver contrato en formato JSON
shared.contract.title=Contrato de intercambio con ID: {0}
shared.paymentDetails=Detalles de pago BTC {0}
shared.paymentDetails=Detalles de pago XMR {0}
shared.securityDeposit=Depósito de seguridad
shared.yourSecurityDeposit=Su depósito de seguridad
shared.contract=Contrato
@ -179,7 +179,7 @@ shared.messageSendingFailed=Envío de mensaje fallido. Error: {0}
shared.unlock=Desbloquear
shared.toReceive=a recibir
shared.toSpend=a gastar
shared.btcAmount=Cantidad BTC
shared.xmrAmount=Cantidad XMR
shared.yourLanguage=Sus idiomas
shared.addLanguage=Añadir idioma
shared.total=Total
@ -226,8 +226,8 @@ shared.enabled=Habilitado
####################################################################
mainView.menu.market=Mercado
mainView.menu.buyBtc=Comprar BTC
mainView.menu.sellBtc=Vender BTC
mainView.menu.buyXmr=Comprar XMR
mainView.menu.sellXmr=Vender XMR
mainView.menu.portfolio=Portafolio
mainView.menu.funds=Fondos
mainView.menu.support=Soporte
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Reservado
mainView.balance.pending.short=Bloqueado
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/Tasas actuales: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando a la red Bitcoin
mainView.footer.xmrFeeRate=/Tasas actuales: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando a la red Monero
mainView.footer.xmrInfo.synchronizingWith=Sincronizando con {0} en el bloque: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Sincronizado con {0} en el bloque {1}
mainView.footer.xmrInfo.connectingTo=Conectando a
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Fallo al conectarse a la red
mainView.p2pNetworkWarnMsg.noNodesAvailable=No hay nodos de sembrado o puntos de red persistentes para los datos requeridos.\nPor favor, compruebe su conexión a Internet o intente reiniciar la aplicación.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Fallo conectándose a la red Haveno (error reportado: {0}).\nPor favor, compruebe su conexión a internet o pruebe reiniciando la aplicación.
mainView.walletServiceErrorMsg.timeout=Error al conectar a la red Bitcoin en el límite de tiempo establecido.
mainView.walletServiceErrorMsg.connectionError=La conexión a la red Bitcoin falló por un error: {0}
mainView.walletServiceErrorMsg.timeout=Error al conectar a la red Monero en el límite de tiempo establecido.
mainView.walletServiceErrorMsg.connectionError=La conexión a la red Monero falló por un error: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Se rechazó una transacción desde la red.\n\n{0}
mainView.networkWarning.allConnectionsLost=Perdió la conexión a todos los {0} usuarios de red.\nTal vez se ha interrumpido su conexión a Internet o su computadora estaba en modo suspendido.
mainView.networkWarning.localhostBitcoinLost=Perdió la conexión al nodo Bitcoin localhost.\nPor favor reinicie la aplicación Haveno para conectarse a otros nodos Bitcoin o reinice el nodo Bitcoin localhost.
mainView.networkWarning.localhostMoneroLost=Perdió la conexión al nodo Monero localhost.\nPor favor reinicie la aplicación Haveno para conectarse a otros nodos Monero o reinice el nodo Monero localhost.
mainView.version.update=(Actualización disponible)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Comprar {0}
market.offerBook.sellWithTraditional=Vender {0}
market.offerBook.sellOffersHeaderLabel=Vender {0} a
market.offerBook.buyOffersHeaderLabel=Comprar {0} de
market.offerBook.buy=Quiero comprar bitcoin
market.offerBook.sell=Quiero vender bitcoin
market.offerBook.buy=Quiero comprar monero
market.offerBook.sell=Quiero vender monero
# SpreadView
market.spread.numberOfOffersColumn=Todas las ofertas ({0})
market.spread.numberOfBuyOffersColumn=Comprar BTC ({0})
market.spread.numberOfSellOffersColumn=Vender BTC ({0})
market.spread.totalAmountColumn=Total BTC ({0})
market.spread.numberOfBuyOffersColumn=Comprar XMR ({0})
market.spread.numberOfSellOffersColumn=Vender XMR ({0})
market.spread.totalAmountColumn=Total XMR ({0})
market.spread.spreadColumn=Diferencial
market.spread.expanded=Vista expandida
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Las cuentas de crypto no necesitan firmado o edad
offerbook.nrOffers=Número de ofertas: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Depósito en BTC (%)
offerbook.deposit=Depósito en XMR (%)
offerbook.deposit.help=Depósito pagado por cada comerciante para garantizar el intercambio. Será devuelto al acabar el intercambio.
offerbook.createOfferToBuy=Crear nueva oferta para comprar {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=La cantidad se redondeó para incrementar la pr
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Introducir cantidad en BTC
createOffer.amount.prompt=Introducir cantidad en XMR
createOffer.price.prompt=Introducir precio
createOffer.volume.prompt=Introducir cantidad en {0}
createOffer.amountPriceBox.amountDescription=Cantidad de BTC a {0}
createOffer.amountPriceBox.amountDescription=Cantidad de XMR a {0}
createOffer.amountPriceBox.buy.volumeDescription=Cantidad a gastar en {0}
createOffer.amountPriceBox.sell.volumeDescription=Cantidad a recibir en {0}.
createOffer.amountPriceBox.minAmountDescription=Cantidad mínima de BTC
createOffer.amountPriceBox.minAmountDescription=Cantidad mínima de XMR
createOffer.securityDeposit.prompt=Depósito de seguridad
createOffer.fundsBox.title=Dote de fondos su oferta.
createOffer.fundsBox.offerFee=Comisión de transacción
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Siempre tendrá {0}% más que el precio de
createOffer.info.buyBelowMarketPrice=Siempre pagará {0}% menos que el precio de mercado ya que el precio de su oferta será actualizado continuamente.
createOffer.warning.sellBelowMarketPrice=Siempre tendrá {0}% menos que el precio de mercado ya que el precio de su oferta será actualizado continuamente.
createOffer.warning.buyAboveMarketPrice=Siempre pagará {0}% más que el precio de mercado ya que el precio de su oferta será actualizado continuamente.
createOffer.tradeFee.descriptionBTCOnly=Comisión de transacción
createOffer.tradeFee.descriptionXMROnly=Comisión de transacción
createOffer.tradeFee.descriptionBSQEnabled=Seleccionar moneda de comisión de intercambio
createOffer.triggerPrice.prompt=Establecer precio de ejecución opcional
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=En uso el depósito de seguridad mínimo
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Introducir la cantidad en BTC
takeOffer.amountPriceBox.buy.amountDescription=Cantidad de BTC a vender
takeOffer.amountPriceBox.sell.amountDescription=Cantidad de BTC a comprar
takeOffer.amountPriceBox.priceDescription=Precio por bitcoin en {0}
takeOffer.amount.prompt=Introducir la cantidad en XMR
takeOffer.amountPriceBox.buy.amountDescription=Cantidad de XMR a vender
takeOffer.amountPriceBox.sell.amountDescription=Cantidad de XMR a comprar
takeOffer.amountPriceBox.priceDescription=Precio por monero en {0}
takeOffer.amountPriceBox.amountRangeDescription=Rango de cantidad posible.
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=La cantidad introducida excede el número de decimales permitidos.\nLa cantidad ha sido ajustada a 4 decimales.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=La cantidad introducida excede el número de decimales permitidos.\nLa cantidad ha sido ajustada a 4 decimales.
takeOffer.validation.amountSmallerThanMinAmount=La cantidad no puede ser menor que el mínimo definido en la oferta.
takeOffer.validation.amountLargerThanOfferAmount=La cantidad introducida no puede ser mayor que el máximo definido en la oferta.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=La cantidad introducida crearía polvo (dust change) para el vendedor de bitcoin.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=La cantidad introducida crearía polvo (dust change) para el vendedor de monero.
takeOffer.fundsBox.title=Dote de fondos su intercambio.
takeOffer.fundsBox.isOfferAvailable=Comprobar si la oferta está disponible...
takeOffer.fundsBox.tradeAmount=Cantidad a vender
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=La transacción de depósito aún no ha s
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Su intercambio tiene al menos una confirmación en la cadena de bloques.\n\n
portfolio.pending.step2_buyer.refTextWarn=Importante: al hacer un pago, deje el campo \"motivo de pago\" vacío. NO PONGA la ID de intercambio o algún otro texto como 'bitcoin', 'BTC', o 'Haveno'. Los comerciantes pueden convenir en el chat de intercambio un \"motivo de pago\" alternativo.
portfolio.pending.step2_buyer.refTextWarn=Importante: al hacer un pago, deje el campo \"motivo de pago\" vacío. NO PONGA la ID de intercambio o algún otro texto como 'monero', 'XMR', o 'Haveno'. Los comerciantes pueden convenir en el chat de intercambio un \"motivo de pago\" alternativo.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=Si su banco carga alguna tasa por hacer la transferencia, es responsable de pagar esas tasas.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Por favor transfiera fondos desde su cartera externa {0}\n{1} al vendedor de BTC.\n\n
portfolio.pending.step2_buyer.crypto=Por favor transfiera fondos desde su cartera externa {0}\n{1} al vendedor de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Por favor vaya al banco y pague {0} al vendedor de BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUERIMIENTO IMPORTANTE:\nDespués de haber hecho el pago escribe en el recibo de papel: NO REFUNDS\nLuego divídalo en 2 partes, haga una foto y envíela a la dirección de correo electrónico del vendedor de BTC.
portfolio.pending.step2_buyer.cash=Por favor vaya al banco y pague {0} al vendedor de XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUERIMIENTO IMPORTANTE:\nDespués de haber hecho el pago escribe en el recibo de papel: NO REFUNDS\nLuego divídalo en 2 partes, haga una foto y envíela a la dirección de correo electrónico del vendedor de XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Por favor pague {0} al vendedor de BTC utilizando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUERIMIENTO IMPORTANTE:\nDespués que usted haya realizado el pago, envíe el número de autorización y una foto del recibo al vendedor de BTC por correo electrónico.\nEl recibo debe mostrar claramente el monto, asi como el nombre completo, país y demarcación (departamento,estado, etc.) del vendedor. El correo electrónico del vendedor es: {0}.
portfolio.pending.step2_buyer.moneyGram=Por favor pague {0} al vendedor de XMR utilizando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUERIMIENTO IMPORTANTE:\nDespués que usted haya realizado el pago, envíe el número de autorización y una foto del recibo al vendedor de XMR por correo electrónico.\nEl recibo debe mostrar claramente el monto, asi como el nombre completo, país y demarcación (departamento,estado, etc.) del vendedor. El correo electrónico del vendedor es: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Por favor pague {0} al vendedor de BTC usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUERIMIENTO IMPORTANTE:\nDespués de haber realizado el pago envíe el MTCN (número de seguimiento) y una foto de el recibo por email a el vendedor de BTC.\nEl recibo debe mostrar claramente el nombre completo del emisor, la ciudad, país y la cantidad. El email del vendedor es: {0}.
portfolio.pending.step2_buyer.westernUnion=Por favor pague {0} al vendedor de XMR usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUERIMIENTO IMPORTANTE:\nDespués de haber realizado el pago envíe el MTCN (número de seguimiento) y una foto de el recibo por email a el vendedor de XMR.\nEl recibo debe mostrar claramente el nombre completo del emisor, la ciudad, país y la cantidad. El email del vendedor es: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Por favor envíe {0} mediante \"US Postal Money Order\" a el vendedor de BTC.\n\n
portfolio.pending.step2_buyer.postal=Por favor envíe {0} mediante \"US Postal Money Order\" a el vendedor de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Por favor envíe {0} usando \"Efectivo por Correo\" al vendedor. Las instrucciones específicas están en el contrato de intercambio, y si no queda claro, pregunte a través del chat de intercambio.\nVea más detalles acerca de Efectivo por Correo en la wiki de Haveno [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Por favor pague {0} a través del método de pago especificado al vendedor BTC. Encontrará los detalles de la cuenta del vendedor en la siguiente pantalla.\n\n
portfolio.pending.step2_buyer.pay=Por favor pague {0} a través del método de pago especificado al vendedor XMR. Encontrará los detalles de la cuenta del vendedor en la siguiente pantalla.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Por favor contacte al vendedor de BTC con el contacto proporcionado y acuerden un encuentro para pagar {0}.\n\n
portfolio.pending.step2_buyer.f2f=Por favor contacte al vendedor de XMR con el contacto proporcionado y acuerden un encuentro para pagar {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Comenzar pago utilizando {0}
portfolio.pending.step2_buyer.recipientsAccountData=Receptores {0}
portfolio.pending.step2_buyer.amountToTransfer=Cantidad a transferir
@ -628,12 +628,12 @@ portfolio.pending.step2_buyer.buyerAccount=Su cuenta de pago para ser usada
portfolio.pending.step2_buyer.paymentSent=Pago iniciado
portfolio.pending.step2_buyer.warn=¡Todavía no ha realizado su pago {0}!\nPor favor, tenga en cuenta que el pago tiene que completarse antes de {1}.
portfolio.pending.step2_buyer.openForDispute=¡No ha completado su pago!\nEl periodo máximo para el intercambio ha concluido. Por favor, contacte con el mediador para abrir una disputa.
portfolio.pending.step2_buyer.paperReceipt.headline=¿Ha enviado el recibo a el vendedor de BTC?
portfolio.pending.step2_buyer.paperReceipt.msg=Recuerde:\nTiene que escribir en el recibo de papel: NO REFUNDS.\nLuego divídalo en 2 partes, haga una foto y envíela a la dirección de e-mail del vendedor de BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=¿Ha enviado el recibo a el vendedor de XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Recuerde:\nTiene que escribir en el recibo de papel: NO REFUNDS.\nLuego divídalo en 2 partes, haga una foto y envíela a la dirección de e-mail del vendedor de XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Enviar número de autorización y recibo
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Debe enviar el número de autorización y una foto del recibo por correo electrónico al vendedor de BTC.\nEl recibo debe mostrar claramente el monto, así como el nombre completo, país y demarcación (departamento,estado, etc.) del vendedor. El correo electrónico del vendedor es: {0}.\n\n¿Envió usted el número de autorización y el contrato al vendedor?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Debe enviar el número de autorización y una foto del recibo por correo electrónico al vendedor de XMR.\nEl recibo debe mostrar claramente el monto, así como el nombre completo, país y demarcación (departamento,estado, etc.) del vendedor. El correo electrónico del vendedor es: {0}.\n\n¿Envió usted el número de autorización y el contrato al vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Enviar MTCN y recibo
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Necesita enviar el MTCN (número de seguimiento) y una foto de el recibo por email a el vendedor de BTC\nEl recibo debe mostrar claramente el nombre completo del emisor, la ciudad, el país y la cantidad. El email del vendedor es: {0}\n\n¿Envió el MTCN y el contrato al vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Necesita enviar el MTCN (número de seguimiento) y una foto de el recibo por email a el vendedor de XMR\nEl recibo debe mostrar claramente el nombre completo del emisor, la ciudad, el país y la cantidad. El email del vendedor es: {0}\n\n¿Envió el MTCN y el contrato al vendedor?
portfolio.pending.step2_buyer.halCashInfo.headline=Enviar código HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Necesita enviar un mensaje de texto con el código HalCash\nEl móvil del vendedor es {1}.\n\n¿Envió el código al vendedor?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Algunos bancos pueden verificar el nombre del receptor. Las cuentas Faster Payments creadas en antiguos clientes de Haveno no proporcionan el nombre completo del receptor, así que por favor, utilice el chat del intercambio para obtenerlo (si es necesario).
@ -641,14 +641,14 @@ portfolio.pending.step2_buyer.confirmStart.headline=Confirme que ha comenzado el
portfolio.pending.step2_buyer.confirmStart.msg=¿Ha iniciado el pago de {0} a su par de intercambio?
portfolio.pending.step2_buyer.confirmStart.yes=Sí, lo he iniciado.
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=No ha entregado una prueba de pago válida.
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=No ha introducido la transacción de ID y la clave de transacción.\n\nAl no proveer esta información el par no puede usar la autoconfirmación para liberar los BTC en cuanto los XMR se han recibido.\nAdemás de esto, Haveno requiere que el emisor de la transacción XMR sea capaz de entregar esta información al mediador o árbitro en caso de disputa.\nVea más detalles en la wiki de Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=No ha introducido la transacción de ID y la clave de transacción.\n\nAl no proveer esta información el par no puede usar la autoconfirmación para liberar los XMR en cuanto los XMR se han recibido.\nAdemás de esto, Haveno requiere que el emisor de la transacción XMR sea capaz de entregar esta información al mediador o árbitro en caso de disputa.\nVea más detalles en la wiki de Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=El valor introducido no es un valor hexadecimal de 32 bytes
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignorar y continuar de todos modos
portfolio.pending.step2_seller.waitPayment.headline=Esperar al pago.
portfolio.pending.step2_seller.f2fInfo.headline=Información de contacto del comprador
portfolio.pending.step2_seller.waitPayment.msg=La transacción del depósito tiene al menos una confirmación en la cadena de bloques.\nTiene que esperar hasta que el comprador de BTC comience el pago de {0}.
portfolio.pending.step2_seller.warn=El comprador de BTC aún no ha realizado el pago de {0}.\nNecesita esperar hasta que el pago comience.\nSi el intercambio aún no se ha completado el {1} el árbitro procederá a investigar.
portfolio.pending.step2_seller.openForDispute=El comprador de BTC no ha comenzado su pago!\nEl periodo máximo permitido ha finalizado.\nPuede esperar más y dar más tiempo a la otra parte o contactar con el mediador para abrir una disputa.
portfolio.pending.step2_seller.waitPayment.msg=La transacción del depósito tiene al menos una confirmación en la cadena de bloques.\nTiene que esperar hasta que el comprador de XMR comience el pago de {0}.
portfolio.pending.step2_seller.warn=El comprador de XMR aún no ha realizado el pago de {0}.\nNecesita esperar hasta que el pago comience.\nSi el intercambio aún no se ha completado el {1} el árbitro procederá a investigar.
portfolio.pending.step2_seller.openForDispute=El comprador de XMR no ha comenzado su pago!\nEl periodo máximo permitido ha finalizado.\nPuede esperar más y dar más tiempo a la otra parte o contactar con el mediador para abrir una disputa.
tradeChat.chatWindowTitle=Ventana de chat para intercambio con ID "{0}"
tradeChat.openChat=Abrir ventana de chat
tradeChat.rules=Puede comunicarse con su par de intercambio para resolver posibles problemas con este intercambio.\nNo es obligatorio responder en el chat.\nSi un comerciante viola alguna de las reglas de abajo, abra una disputa y repórtelo al mediador o árbitro.\n\nReglas del chat:\n\t● No enviar ningún enlace (riesgo de malware). Puedes enviar el ID de la transacción y el nombre de un explorador de bloques.\n\t● ¡No enviar las palabras semilla, llaves privadas, contraseñas u otra información sensible!\n\t● No alentar a intercambiar fuera de Haveno (sin seguridad).\n\t● No se enfrente a ningún intento de estafa de ingeniería social.\n\t● Si un par no responde y prefiere no comunicarse, respete su decisión.\n\t● Limite el tema de conversación al intercambio. Este chat no es un sustituto del messenger o troll-box.\n\t● Mantenga la conversación amigable y respetuosa.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=El usuario de red confirmó la recepción del mensaje
# suppress inspection "UnusedProperty"
message.state.FAILED=El envío del mensaje falló
portfolio.pending.step3_buyer.wait.headline=Espere a la confirmación de pago del vendedor de BTC.
portfolio.pending.step3_buyer.wait.info=Esperando a la confirmación del recibo de pago de {0} por parte del vendedor de BTC.
portfolio.pending.step3_buyer.wait.headline=Espere a la confirmación de pago del vendedor de XMR.
portfolio.pending.step3_buyer.wait.info=Esperando a la confirmación del recibo de pago de {0} por parte del vendedor de XMR.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Estado del mensaje de pago iniciado
portfolio.pending.step3_buyer.warn.part1a=en la cadena de bloques {0}
portfolio.pending.step3_buyer.warn.part1b=en su proveedor de pago (v.g. banco)
portfolio.pending.step3_buyer.warn.part2=El vendedor de BTC aún no ha confirmado su pago. Por favor, compruebe {0} si el envío del pago fue correcto.
portfolio.pending.step3_buyer.openForDispute=¡El vendedor de BTC aún no ha confirmado su pago! El periodo máximo para el intercambio ha concluido. Puede esperar y dar más tiempo a la otra parte o solicitar asistencia del mediador.
portfolio.pending.step3_buyer.warn.part2=El vendedor de XMR aún no ha confirmado su pago. Por favor, compruebe {0} si el envío del pago fue correcto.
portfolio.pending.step3_buyer.openForDispute=¡El vendedor de XMR aún no ha confirmado su pago! El periodo máximo para el intercambio ha concluido. Puede esperar y dar más tiempo a la otra parte o solicitar asistencia del mediador.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=La otra parte del intercambio confirma haber iniciado el pago de {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=en su explorador de cadena de bloques {0} favorito
portfolio.pending.step3_seller.crypto.wallet=en su cartera {0}
portfolio.pending.step3_seller.crypto={0}Por favor compruebe {1} si la transacción a su dirección de recepción\n{2}\ntiene suficientes confirmaciones en la cadena de bloques.\nLa cantidad a pagar tiene que ser {3}\n\nPuede copiar y pegar su dirección {4} desde la pantalla principal después de cerrar este popup.
portfolio.pending.step3_seller.postal={0}Por favor compruebe si ha recibido {1} con \"US Postal Money Order\" enviados por el comprador BTC.
portfolio.pending.step3_seller.postal={0}Por favor compruebe si ha recibido {1} con \"US Postal Money Order\" enviados por el comprador XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Por favor compruebe si ha recibido {1} con \"Efectivo por Correo\" enviados por el comprador BTC.
portfolio.pending.step3_seller.payByMail={0}Por favor compruebe si ha recibido {1} con \"Efectivo por Correo\" enviados por el comprador XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Su par de intercambio confirma que ha iniciado el pago de {0}.\n\nPor favor vaya a la página web de su banco y compruebe si ha recibido {1} del comprador de BTC.
portfolio.pending.step3_seller.cash=Debido a que el pago se hecho vía depósito en efectivo el comprador de BTC tiene que escribir \"SIN REEMBOLSO\" en el recibo de papel, dividirlo en 2 partes y enviarte una foto por e-mail.\n\nPara impedir el riesgo de reembolso, solo confirme si ha recibido el e-mail y si está seguro de que el recibo es válido.\nSi no está seguro, {0}
portfolio.pending.step3_seller.moneyGram=El comprador tiene que enviarle el número de autorización y una foto del recibo por correo electrónico.\n\nEl recibo debe mostrar claramente el monto, asi como su nombre completo, país y demarcación (departamento,estado, etc.). Por favor revise su correo electrónico si recibió el número de autorización.\n\nDespués de cerrar esa ventana emergente (popup), verá el nombre y la dirección del comprador de BTC para retirar el dinero de MoneyGram.\n\n¡Solo confirme el recibo de transacción después de haber obtenido el dinero con éxito!
portfolio.pending.step3_seller.westernUnion=El comprador tiene que enviarle el MTCN (número de seguimiento) y una foto de el recibo por email.\nEl recibo debe mostrar claramente su nombre completo, ciudad, país y la cantidad. Por favor compruebe su email si ha recibido el MTCN.\n\nDespués de cerrar ese popup verá el nombre del comprador de BTC y la dirección para recoger el dinero de Western Union.\n\nSolo confirme el recibo después de haber recogido satisfactoriamente el dinero!
portfolio.pending.step3_seller.bank=Su par de intercambio confirma que ha iniciado el pago de {0}.\n\nPor favor vaya a la página web de su banco y compruebe si ha recibido {1} del comprador de XMR.
portfolio.pending.step3_seller.cash=Debido a que el pago se hecho vía depósito en efectivo el comprador de XMR tiene que escribir \"SIN REEMBOLSO\" en el recibo de papel, dividirlo en 2 partes y enviarte una foto por e-mail.\n\nPara impedir el riesgo de reembolso, solo confirme si ha recibido el e-mail y si está seguro de que el recibo es válido.\nSi no está seguro, {0}
portfolio.pending.step3_seller.moneyGram=El comprador tiene que enviarle el número de autorización y una foto del recibo por correo electrónico.\n\nEl recibo debe mostrar claramente el monto, asi como su nombre completo, país y demarcación (departamento,estado, etc.). Por favor revise su correo electrónico si recibió el número de autorización.\n\nDespués de cerrar esa ventana emergente (popup), verá el nombre y la dirección del comprador de XMR para retirar el dinero de MoneyGram.\n\n¡Solo confirme el recibo de transacción después de haber obtenido el dinero con éxito!
portfolio.pending.step3_seller.westernUnion=El comprador tiene que enviarle el MTCN (número de seguimiento) y una foto de el recibo por email.\nEl recibo debe mostrar claramente su nombre completo, ciudad, país y la cantidad. Por favor compruebe su email si ha recibido el MTCN.\n\nDespués de cerrar ese popup verá el nombre del comprador de XMR y la dirección para recoger el dinero de Western Union.\n\nSolo confirme el recibo después de haber recogido satisfactoriamente el dinero!
portfolio.pending.step3_seller.halCash=El comprador tiene que enviarle el código HalCash como un mensaje de texto. Junto a esto recibirá un mensaje desde HalCash con la información requerida para retirar los EUR de un cajero que soporte HalCash.\n\nDespués de retirar el dinero del cajero confirme aquí la recepción del pago!
portfolio.pending.step3_seller.amazonGiftCard=El comprador le ha enviado una Tarjeta Amazon eGift por email o mensaje de texto al teléfono móvil. Por favor canjee ahora la Tarjeta Amazon eGift en su cuenta Amazon y una vez aceptado confirme el recibo del pago.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID de la transacción
portfolio.pending.step3_seller.xmrTxKey=Clave de transacción
portfolio.pending.step3_seller.buyersAccount=Datos de cuenta del comprador
portfolio.pending.step3_seller.confirmReceipt=Confirmar recibo de pago
portfolio.pending.step3_seller.buyerStartedPayment=El comprador de BTC ha iniciado el pago de {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=El comprador de XMR ha iniciado el pago de {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Compruebe las confirmaciones en la cadena de bloques en su monedero de crypto o explorador de bloques y confirme el pago cuando tenga suficientes confirmaciones.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Compruebe su cuenta de intercambio (v.g. cuenta bancaria) y confirme cuando haya recibido el pago.
portfolio.pending.step3_seller.warn.part1a=en la cadena de bloques {0}
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=¿Ha recibido el pago de
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Por favor verifique también que el nombre del emisor especificado en el contrato de intercambio concuerda con el nombre que aparece en su declaración bancaria:\nNombre del emisor, para el contrato de intercambio: {0}\n\nSi los nombres no son exactamente los mismos, no confirme el recibo de pago. En su lugar, abra una disputa pulsando \"alt + o\" o \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Por favor tenga en cuenta, que tan pronto como haya confirmado el recibo, la cantidad de intercambio bloqueada será librerada al comprador de BTC y el depósito de seguridad será devuelto.
portfolio.pending.step3_seller.onPaymentReceived.note=Por favor tenga en cuenta, que tan pronto como haya confirmado el recibo, la cantidad de intercambio bloqueada será librerada al comprador de XMR y el depósito de seguridad será devuelto.
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Confirme que ha recibido el pago
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Sí, he recibido el pago
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANTE: Confirmando el recibo de pago, está también verificando la cuenta de la contraparte y firmándola en consecuencia. Como la cuenta de la contraparte no ha sido firmada aún, debería retrasar la confirmación de pago tanto como sea posible para reducir el riesgo de devolución de cargo.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Comisión de transacción
portfolio.pending.step5_buyer.makersMiningFee=Comisión de minado
portfolio.pending.step5_buyer.takersMiningFee=Comisiones de minado totales
portfolio.pending.step5_buyer.refunded=Depósito de seguridad devuelto
portfolio.pending.step5_buyer.withdrawBTC=Retirar bitcoins
portfolio.pending.step5_buyer.withdrawXMR=Retirar moneros
portfolio.pending.step5_buyer.amount=Cantidad a retirar
portfolio.pending.step5_buyer.withdrawToAddress=Retirar a la dirección
portfolio.pending.step5_buyer.moveToHavenoWallet=Mantener fondos en el monedero de Haveno
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Sus fondos ya han sido retirados.
portfolio.pending.step5_buyer.confirmWithdrawal=Confirme la petición de retiro
portfolio.pending.step5_buyer.amountTooLow=La cantidad a transferir es inferior a la tasa de transacción y el mínimo valor de transacción posible (polvo - dust).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Retiro completado
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Sus intercambios completados están almacenados en \"Portfolio/Historial\".\nPuede revisar todas las transacciones de bitcoin en \"Fondos/Transacciones\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Sus intercambios completados están almacenados en \"Portfolio/Historial\".\nPuede revisar todas las transacciones de monero en \"Fondos/Transacciones\"
portfolio.pending.step5_buyer.bought=Ha comprado
portfolio.pending.step5_buyer.paid=Ha pagado
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Ya ha aceptado
portfolio.pending.failedTrade.taker.missingTakerFeeTx=Falta la transacción de tasa de tomador\n\nSin esta tx, el intercambio no se puede completar. No se han bloqueado fondos y no se ha pagado ninguna tasa de intercambio. Puede mover esta operación a intercambios fallidos.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=Falta la transacción de tasa de tomador de su par.\n\nSin esta tx, el intercambio no se puede completar. No se han bloqueado fondos. Su oferta aún está disponible para otros comerciantes, por lo que no ha perdido la tasa de tomador. Puede mover este intercambio a intercambios fallidos.
portfolio.pending.failedTrade.missingDepositTx=Falta la transacción de depósito (la transacción multifirma 2 de 2).\n\nSin esta tx, el intercambio no se puede completar. No se han bloqueado fondos, pero se ha pagado su tarifa comercial. Puede hacer una solicitud para que se le reembolse la tarifa comercial aquí: [HYPERLINK:https://github.com/bisq-network/support/issues].\n\nSiéntase libre de mover esta operación a operaciones fallidas.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Falta la transacción de pago demorado, pero los fondos se han bloqueado en la transacción de depósito.\n\nNO envíe el pago traditional o crypto al vendedor de BTC, porque sin el tx de pago demorado, no se puede abrir el arbitraje. En su lugar, abra un ticket de mediación con Cmd / Ctrl + o. El mediador debe sugerir que ambos pares recuperen el monto total de sus depósitos de seguridad (y el vendedor también recibirá el monto total de la operación). De esta manera, no hay riesgo en la seguridad y solo se pierden las tarifas comerciales.\n\nPuede solicitar un reembolso por las tarifas comerciales perdidas aquí: [HYPERLINK:https://github.com/bisq-network/support/issues].
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=Falta la transacción de pago demorado, pero los fondos se han bloqueado en la transacción de depósito.\n\nNO envíe el pago traditional o crypto al vendedor de XMR, porque sin el tx de pago demorado, no se puede abrir el arbitraje. En su lugar, abra un ticket de mediación con Cmd / Ctrl + o. El mediador debe sugerir que ambos pares recuperen el monto total de sus depósitos de seguridad (y el vendedor también recibirá el monto total de la operación). De esta manera, no hay riesgo en la seguridad y solo se pierden las tarifas comerciales.\n\nPuede solicitar un reembolso por las tarifas comerciales perdidas aquí: [HYPERLINK:https://github.com/bisq-network/support/issues].
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=Falta la transacción del pago demorado, pero los fondos se han bloqueado en la transacción de depósito.\n\nSi al comprador también le falta la transacción de pago demorado, se le indicará que NO envíe el pago y abra un ticket de mediación. También debe abrir un ticket de mediación con Cmd / Ctrl + o.\n\nSi el comprador aún no ha enviado el pago, el mediador debe sugerir que ambos pares recuperen el monto total de sus depósitos de seguridad (y el vendedor también recibirá el monto total de la operación). De lo contrario, el monto comercial debe ir al comprador.\n\nPuede solicitar un reembolso por las tarifas comerciales perdidas aquí: [HYPERLINK:https://github.com/bisq-network/support/issues].
portfolio.pending.failedTrade.errorMsgSet=Hubo un error durante la ejecución del protocolo de intercambio.\n\nError: {0}\n\nPuede ser que este error no sea crítico y que el intercambio se pueda completar normalmente. Si no está seguro, abra un ticket de mediación para obtener consejos de los mediadores de Haveno.\n\nSi el error fue crítico y la operación no se puede completar, es posible que haya perdido su tarifa de operación. Solicite un reembolso por las tarifas comerciales perdidas aquí: [HYPERLINK:ttps://github.com/bisq-network/support/issues].
portfolio.pending.failedTrade.missingContract=El contrato del intercambio no está establecido.\n\nLa operación no se puede completar y es posible que haya perdido su tarifa de operación. Si es así, puede solicitar un reembolso por las tarifas comerciales perdidas aquí: [HYPERLINK:https://github.com/bisq-network/support/issues].
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Fondear monedero Haveno
funds.deposit.noAddresses=Aún no se ha generado la dirección de depósito
funds.deposit.fundWallet=Dotar de fondos su monedero
funds.deposit.withdrawFromWallet=Enviar fondos desde monedero
funds.deposit.amount=Cantidad en BTC (opcional)
funds.deposit.amount=Cantidad en XMR (opcional)
funds.deposit.generateAddress=Generar una nueva dirección
funds.deposit.generateAddressSegwit=Formato de segwit nativo (Bech32)
funds.deposit.selectUnused=Por favor seleccione una dirección no utilizada de la tabla de arriba en vez de generar una nueva.
@ -890,7 +890,7 @@ funds.tx.revert=Revertir
funds.tx.txSent=Transacción enviada exitosamente a una nueva dirección en la billetera Haveno local.
funds.tx.direction.self=Enviado a usted mismo
funds.tx.dustAttackTx=Dust recibido
funds.tx.dustAttackTx.popup=Esta transacción está enviando una cantidad de BTC muy pequeña a su monedero y puede ser un intento de compañías de análisis de cadenas para espiar su monedero.\n\nSi usa este output para gastar en una transacción, conocerán que probablemente usted sea el propietario de sus otras direcciones (fusión de monedas).\n\nPara proteger su privacidad el monedero Haveno ignora estos outputs para propósitos de gasto y en el balance mostrado. Puede establecer el umbral en el que un output es considerado dust en ajustes.
funds.tx.dustAttackTx.popup=Esta transacción está enviando una cantidad de XMR muy pequeña a su monedero y puede ser un intento de compañías de análisis de cadenas para espiar su monedero.\n\nSi usa este output para gastar en una transacción, conocerán que probablemente usted sea el propietario de sus otras direcciones (fusión de monedas).\n\nPara proteger su privacidad el monedero Haveno ignora estos outputs para propósitos de gasto y en el balance mostrado. Puede establecer el umbral en el que un output es considerado dust en ajustes.
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=Mensaje guardado en la bandeja de entrada del receptor
support.arrived=El mensaje ha llegado al receptor
support.acknowledged=El arribo del mensaje fue confirmado por el receptor
support.error=El receptor no pudo procesar el mensaje. Error: {0}
support.buyerAddress=Dirección del comprador de BTC
support.sellerAddress=Dirección del vendedor de BTC
support.buyerAddress=Dirección del comprador de XMR
support.sellerAddress=Dirección del vendedor de XMR
support.role=Rol
support.agent=Agente de soporte
support.state=Estado
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=Cerrado
support.open=Abierto
support.process=Proceso
support.buyerMaker=comprador/creador BTC
support.sellerMaker=vendedor/creador BTC
support.buyerTaker=comprador/Tomador BTC
support.sellerTaker=vendedor/Tomador BTC
support.buyerMaker=comprador/creador XMR
support.sellerMaker=vendedor/creador XMR
support.buyerTaker=comprador/Tomador XMR
support.sellerTaker=vendedor/Tomador XMR
support.backgroundInfo=Haveno no es una compañía, por lo que maneja las disputas de manera diferente.\n\nLos comerciantes pueden comunicarse dentro de la aplicación a través de un chat seguro en la pantalla de operaciones abiertas para intentar resolver las disputas por sí mismos. Si eso no es suficiente, un mediador evaluará la situación y decidirá un pago de los fondos de la operación.
support.initialInfo=Por favor, introduzca una descripción de su problema en el campo de texto de abajo. Añada tanta información como sea posible para agilizar la resolución de la disputa.\n\nEsta es una lista de la información que usted debe proveer:\n\t● Si es el comprador de BTC: ¿Hizo la transferencia Traditional o Cryptocurrency? Si es así, ¿Pulsó el botón 'pago iniciado' en la aplicación?\n\t● Si es el vendedor de BTC: ¿Recibió el pago Traditional o Cryptocurrency? Si es así, ¿Pulsó el botón 'pago recibido' en la aplicación?\n\t● ¿Qué versión de Haveno está usando?\n\t● ¿Qué sistema operativo está usando?\n\t● Si tiene problemas con transacciones fallidas, por favor considere cambiar a un nuevo directorio de datos.\n\tA veces el directorio de datos se corrompe y causa errores extraños.\n\tVer: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPor favor, familiarícese con las reglas básicas del proceso de disputa:\n\t● Tiene que responder a los requerimientos de {0} en 2 días.\n\t● Los mediadores responden en 2 días. Los árbitros responden en 5 días laborables.\n\t● El periodo máximo para una disputa es de 14 días.\n\t● Tiene que cooperar con {1} y proveer la información necesaria que soliciten.\n\t● Aceptó la reglas esbozadas en el documento de disputa en el acuerdo de usuario cuando inició por primera ver la aplicación.\n\nPuede leer más sobre el proceso de disputa en: {2}
support.initialInfo=Por favor, introduzca una descripción de su problema en el campo de texto de abajo. Añada tanta información como sea posible para agilizar la resolución de la disputa.\n\nEsta es una lista de la información que usted debe proveer:\n\t● Si es el comprador de XMR: ¿Hizo la transferencia Traditional o Cryptocurrency? Si es así, ¿Pulsó el botón 'pago iniciado' en la aplicación?\n\t● Si es el vendedor de XMR: ¿Recibió el pago Traditional o Cryptocurrency? Si es así, ¿Pulsó el botón 'pago recibido' en la aplicación?\n\t● ¿Qué versión de Haveno está usando?\n\t● ¿Qué sistema operativo está usando?\n\t● Si tiene problemas con transacciones fallidas, por favor considere cambiar a un nuevo directorio de datos.\n\tA veces el directorio de datos se corrompe y causa errores extraños.\n\tVer: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPor favor, familiarícese con las reglas básicas del proceso de disputa:\n\t● Tiene que responder a los requerimientos de {0} en 2 días.\n\t● Los mediadores responden en 2 días. Los árbitros responden en 5 días laborables.\n\t● El periodo máximo para una disputa es de 14 días.\n\t● Tiene que cooperar con {1} y proveer la información necesaria que soliciten.\n\t● Aceptó la reglas esbozadas en el documento de disputa en el acuerdo de usuario cuando inició por primera ver la aplicación.\n\nPuede leer más sobre el proceso de disputa en: {2}
support.systemMsg=Mensaje de sistema: {0}
support.youOpenedTicket=Ha abierto una solicitud de soporte.\n\n{0}\n\nVersión Haveno: {1}
support.youOpenedDispute=Ha abierto una solicitud de disputa.\n\n{0}\n\nVersión Haveno: {1}
@ -979,13 +979,13 @@ settings.tab.network=Información de red
settings.tab.about=Acerca de
setting.preferences.general=Preferencias generales
setting.preferences.explorer=Explorador Bitcoin
setting.preferences.explorer=Explorador Monero
setting.preferences.deviation=Desviación máxima del precio de mercado
setting.preferences.setting.preferences.avoidStandbyMode=Evitar modo en espera
setting.preferences.autoConfirmXMR=Autoconfirmación XMR
setting.preferences.autoConfirmEnabled=Habilitado
setting.preferences.autoConfirmRequiredConfirmations=Confirmaciones requeridas
setting.preferences.autoConfirmMaxTradeSize=Cantidad máxima de intecambio (BTC)
setting.preferences.autoConfirmMaxTradeSize=Cantidad máxima de intecambio (XMR)
setting.preferences.autoConfirmServiceAddresses=Explorador de URLs Monero (usa Tor, excepto para localhost, direcciones LAN IP, y hostnames *.local)
setting.preferences.deviationToLarge=No se permiten valores superiores a {0}%
setting.preferences.txFee=Tasa de transacción de retiro (satoshis/vbyte)
@ -1022,29 +1022,29 @@ settings.preferences.editCustomExplorer.name=Nombre
settings.preferences.editCustomExplorer.txUrl=URL de transacción
settings.preferences.editCustomExplorer.addressUrl=URL de la dirección
settings.net.btcHeader=Red Bitcoin
settings.net.xmrHeader=Red Monero
settings.net.p2pHeader=Red Haveno
settings.net.onionAddressLabel=Mi dirección onion
settings.net.xmrNodesLabel=Utilizar nodos Monero personalizados
settings.net.moneroPeersLabel=Pares conectados
settings.net.useTorForXmrJLabel=Usar Tor para la red Monero
settings.net.moneroNodesLabel=Nodos Monero para conectarse
settings.net.useProvidedNodesRadio=Utilizar nodos Bitcoin Core proporcionados
settings.net.usePublicNodesRadio=Utilizar red pública Bitcoin
settings.net.useCustomNodesRadio=Utilizar nodos Bitcoin Core personalizados
settings.net.useProvidedNodesRadio=Utilizar nodos Monero Core proporcionados
settings.net.usePublicNodesRadio=Utilizar red pública Monero
settings.net.useCustomNodesRadio=Utilizar nodos Monero Core personalizados
settings.net.warn.usePublicNodes=Si utiliza nodos públicos de Monero, está sujeto a cualquier riesgo asociado con el uso de nodos remotos no confiables.\n\nPor favor, lea más detalles en [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\n¿Está seguro de que desea utilizar nodos públicos?
settings.net.warn.usePublicNodes.useProvided=No, utilizar nodos proporcionados
settings.net.warn.usePublicNodes.usePublic=Sí, utilizar la red pública
settings.net.warn.useCustomNodes.B2XWarning=¡Por favor, asegúrese de que su nodo Bitcoin es un nodo de confianza Bitcoin Core!\n\nConectar a nodos que no siguen las reglas de consenso puede causar perjuicios a su cartera y causar problemas en el proceso de intercambio.\n\nLos usuarios que se conecten a los nodos que violan las reglas de consenso son responsables de cualquier daño que estos creen. Las disputas causadas por ello se decidirán en favor del otro participante. No se dará soporte técnico a usuarios que ignoren esta advertencia y los mecanismos de protección!
settings.net.warn.invalidBtcConfig=La conexión a la red Bitcoin falló debido a que su configuración es inválida.\n\nSu configuración se ha reestablecido para usar los nodos Bitcoin proporcionados. Necesitará reiniciar la aplicación.
settings.net.localhostXmrNodeInfo=Información complementaria: Haveno busca un nodo local Bitcoin al inicio. Si lo encuentra, Haveno se comunicará a la red Bitcoin exclusivamente a través de él.
settings.net.warn.useCustomNodes.B2XWarning=¡Por favor, asegúrese de que su nodo Monero es un nodo de confianza Monero Core!\n\nConectar a nodos que no siguen las reglas de consenso puede causar perjuicios a su cartera y causar problemas en el proceso de intercambio.\n\nLos usuarios que se conecten a los nodos que violan las reglas de consenso son responsables de cualquier daño que estos creen. Las disputas causadas por ello se decidirán en favor del otro participante. No se dará soporte técnico a usuarios que ignoren esta advertencia y los mecanismos de protección!
settings.net.warn.invalidXmrConfig=La conexión a la red Monero falló debido a que su configuración es inválida.\n\nSu configuración se ha reestablecido para usar los nodos Monero proporcionados. Necesitará reiniciar la aplicación.
settings.net.localhostXmrNodeInfo=Información complementaria: Haveno busca un nodo local Monero al inicio. Si lo encuentra, Haveno se comunicará a la red Monero exclusivamente a través de él.
settings.net.p2PPeersLabel=Pares conectados
settings.net.onionAddressColumn=Dirección onion
settings.net.creationDateColumn=Establecido
settings.net.connectionTypeColumn=Dentro/Fuera
settings.net.sentDataLabel=Estadísticas de datos enviados
settings.net.receivedDataLabel=Estadísticas de datos recibidos
settings.net.chainHeightLabel=Altura del último bloque BTC
settings.net.chainHeightLabel=Altura del último bloque XMR
settings.net.roundTripTimeColumn=Tiempo de ida y vuelta
settings.net.sentBytesColumn=Enviado
settings.net.receivedBytesColumn=Recibido
@ -1059,7 +1059,7 @@ settings.net.needRestart=Necesita reiniciar la aplicación para aplicar ese camb
settings.net.notKnownYet=Aún no conocido...
settings.net.sentData=Datos enviados: {0}, mensajes {1}, mensajes {2} mensajes por segundo
settings.net.receivedData=Datos recibidos: {0}, mensajes {1}, mensajes por segundo {2}
settings.net.chainHeight=Altura de la cadena de pares Bitcoin: {0}
settings.net.chainHeight=Altura de la cadena de pares Monero: {0}
settings.net.ips=[Dirección IP:puerto | host:puerto | dirección onion:puerto] (separado por coma). El puerto puede ser omitido si se utiliza el predeterminado (8333).
settings.net.seedNode=Nodo semilla
settings.net.directPeer=Par (directo)
@ -1068,7 +1068,7 @@ settings.net.peer=Par
settings.net.inbound=entrante
settings.net.outbound=saliente
setting.about.aboutHaveno=Acerca de Haveno
setting.about.about=Haveno es un software de código abierto que facilita el intercambio de bitcoin por monedas nacionales (y otras criptomonedas) a través de una red descentralizada peer-to-peer de modo que se proteja fuertemente la privacidad del usuario. Aprenda más acerca de Haveno en la página web del proyecto.
setting.about.about=Haveno es un software de código abierto que facilita el intercambio de monero por monedas nacionales (y otras criptomonedas) a través de una red descentralizada peer-to-peer de modo que se proteja fuertemente la privacidad del usuario. Aprenda más acerca de Haveno en la página web del proyecto.
setting.about.web=Página web de Haveno
setting.about.code=código fuente
setting.about.agpl=Licencia AGPL
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=Seleccionar intercambios pendientes y
setting.about.shortcuts.walletDetails=Abrir ventana de detalles de monedero
setting.about.shortcuts.openEmergencyBtcWalletTool=Abrir herramienta de monedero de emergencia para el monedero BTC
setting.about.shortcuts.openEmergencyXmrWalletTool=Abrir herramienta de monedero de emergencia para el monedero XMR
setting.about.shortcuts.showTorLogs=Cambiar nivel de registro para mensajes Tor entre DEBUG y WARN
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=Enviar notificación privada a l
setting.about.shortcuts.sendPrivateNotification.value=Abrir información de par en el avatar o disputa y pulsar: {0}
setting.info.headline=Nueva función de autoconfirmación XMR
setting.info.msg=Al vender XMR por XMR puede usar la función de autoconfirmación para verificar que la cantidad correcta de XMR se envió al monedero con lo que Haveno pueda marcar el intercambio como completo, haciendo los intercambios más rápidos para todos.\n\nLa autoconfirmación comprueba que la transacción de XMR en al menos 2 nodos exploradores XMR usando la clave de transacción entregada por el emisor XMR. Por defecto, Haveno usa nodos exploradores ejecutados por contribuyentes Haveno, pero recomendamos usar sus propios nodos exploradores para un máximo de privacidad y seguridad.\n\nTambién puede configurar la cantidad máxima de BTC por intercambio para la autoconfirmación, así como el número de confirmaciones en Configuración.\n\nVea más detalles (incluído cómo configurar su propio nodo explorador) en la wiki Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=Al vender XMR por XMR puede usar la función de autoconfirmación para verificar que la cantidad correcta de XMR se envió al monedero con lo que Haveno pueda marcar el intercambio como completo, haciendo los intercambios más rápidos para todos.\n\nLa autoconfirmación comprueba que la transacción de XMR en al menos 2 nodos exploradores XMR usando la clave de transacción entregada por el emisor XMR. Por defecto, Haveno usa nodos exploradores ejecutados por contribuyentes Haveno, pero recomendamos usar sus propios nodos exploradores para un máximo de privacidad y seguridad.\n\nTambién puede configurar la cantidad máxima de XMR por intercambio para la autoconfirmación, así como el número de confirmaciones en Configuración.\n\nVea más detalles (incluído cómo configurar su propio nodo explorador) en la wiki Haveno: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1140,7 +1140,7 @@ account.tab.mediatorRegistration=Registro de mediador
account.tab.refundAgentRegistration=Registro de agente de devolución de fondos
account.tab.signing=Firmado
account.info.headline=Bienvenido a su cuenta Haveno
account.info.msg=Aquí puede añadir cuentas de intercambio para monedas nacionales y cryptos y crear una copia de su cartera y datos de cuenta.\n\nUna nueva cartera Bitcoin fue creada la primera vez que inició Haveno.\n\nRecomendamos encarecidamente que escriba sus palabras de la semilla de la cartera Bitcoin (mire pestaña arriba) y considere añadir una contraseña antes de enviar fondos. Los ingresos y retiros de Bitcoin se administran en la sección \"Fondos\".\n\nNota de privacidad y seguridad: Debido a que Haveno es un exchange descentralizado, todos sus datos se guardan en su ordenador. No hay servidores, así que no tenemos acceso a su información personal, sus saldos, o incluso su dirección IP. Datos como número de cuenta bancaria, direcciones crypto y Bitcoin, etc son solo compartidos con su par de intercambio para completar intercambios iniciados (en caso de una disputa el mediador o árbitro verá los mismos datos que el par de intercambio).
account.info.msg=Aquí puede añadir cuentas de intercambio para monedas nacionales y cryptos y crear una copia de su cartera y datos de cuenta.\n\nUna nueva cartera Monero fue creada la primera vez que inició Haveno.\n\nRecomendamos encarecidamente que escriba sus palabras de la semilla de la cartera Monero (mire pestaña arriba) y considere añadir una contraseña antes de enviar fondos. Los ingresos y retiros de Monero se administran en la sección \"Fondos\".\n\nNota de privacidad y seguridad: Debido a que Haveno es un exchange descentralizado, todos sus datos se guardan en su ordenador. No hay servidores, así que no tenemos acceso a su información personal, sus saldos, o incluso su dirección IP. Datos como número de cuenta bancaria, direcciones crypto y Monero, etc son solo compartidos con su par de intercambio para completar intercambios iniciados (en caso de una disputa el mediador o árbitro verá los mismos datos que el par de intercambio).
account.menu.paymentAccount=Cuentas de moneda nacional
account.menu.altCoinsAccountView=Cuentas de crypto
@ -1151,7 +1151,7 @@ account.menu.backup=Copia de seguridad
account.menu.notifications=Notificaciones
account.menu.walletInfo.balance.headLine=Balances de monedero
account.menu.walletInfo.balance.info=Esto muestrta el balance interno del monedero, incluyendo transacciones no confirmadas.\nPara BTC, el balance interno de monedero mostrado abajo debe cuadrar con la suma de balances 'Disponible' y 'Reservado' mostrado arriba a la derecha de esta ventana.
account.menu.walletInfo.balance.info=Esto muestrta el balance interno del monedero, incluyendo transacciones no confirmadas.\nPara XMR, el balance interno de monedero mostrado abajo debe cuadrar con la suma de balances 'Disponible' y 'Reservado' mostrado arriba a la derecha de esta ventana.
account.menu.walletInfo.xpub.headLine=Claves centinela (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} monedero
account.menu.walletInfo.path.headLine=ruta HD keychain
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=Intercambiar ParsiCoin en Haveno requiere que uste
account.crypto.popup.blk-burnt.msg=Para intercambiar blackcoins quemados. usted necesita saber lo siguiente:\n\nBlackcoins quemados son indestructibles. Para intercambiarlos en Haveno, los guiones de output tienen que estar en la forma: OP_RETURN OP_PUSHDATA, seguidos por bytes de datos asociados que, después de codificarlos en hexadecimal, construyen direcciones. Por ejemplo, blackcoins quemados con una dirección 666f6f ("foo" en UTF-8) tendrán el siguiente guion:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nPara crear blackcoins quemados, uno puede usar el comando RPC "quemar" disponible en algunas carteras.\n\nPara posibles casos de uso, uno puede mirar en https://ibo.laboratorium.ee .\n\nComo los blackcoins quemados son undestructibles, no pueden ser revendidos. "Vender" blackcoins quemados significa quemar blackcoins comunes (con datos asociados igual a la dirección de destino).\n\nEn caso de una disputa, el vendedor BLK necesita proveer el hash de transacción.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Comerciar L-BTC en Haveno requiere que entienda lo siguiente:\n\nAl recibir L-BTC de un intercambio en Haveno, no puede usar la app de monedero móvil Blockstream Green Wallet o un exchange/monedero que custodie sus fondos. Solo debe recibir L-BTC en el monedero Liquid Elements Core, u otro monedero L-BTC que le permita obtener la clave cegadora para su dirección L-BTC cegada.\n\nEn caso de ser necesaria mediación, o si se lleva a cabo una disputa, debe entregar la clave cegadora para su dirección receptora de L-BTC al mediador o agente de devolución de fondos Haveno para que verifique los detalles de su Transacción Confidencial en su nodo completo Elements Core.\n\nSi no entrega la información requerida al mediador o al agente de devolución de fondos se resolverá en una pérdida del caso en disputa. En todos los casos de disputa, el receptor de L-BTC es responsable del 100% de la carga de aportar la prueba criptográfica al mediador o agente de devolución de fondos.\n\nSi no entiende estos requerimientos, no intercambio L-BTC en Haveno.
account.crypto.popup.liquidmonero.msg=Comerciar L-XMR en Haveno requiere que entienda lo siguiente:\n\nAl recibir L-XMR de un intercambio en Haveno, no puede usar la app de monedero móvil Blockstream Green Wallet o un exchange/monedero que custodie sus fondos. Solo debe recibir L-XMR en el monedero Liquid Elements Core, u otro monedero L-XMR que le permita obtener la clave cegadora para su dirección L-XMR cegada.\n\nEn caso de ser necesaria mediación, o si se lleva a cabo una disputa, debe entregar la clave cegadora para su dirección receptora de L-XMR al mediador o agente de devolución de fondos Haveno para que verifique los detalles de su Transacción Confidencial en su nodo completo Elements Core.\n\nSi no entrega la información requerida al mediador o al agente de devolución de fondos se resolverá en una pérdida del caso en disputa. En todos los casos de disputa, el receptor de L-XMR es responsable del 100% de la carga de aportar la prueba criptográfica al mediador o agente de devolución de fondos.\n\nSi no entiende estos requerimientos, no intercambio L-XMR en Haveno.
account.traditional.yourTraditionalAccounts=Sus cuentas de moneda nacional:
@ -1229,12 +1229,12 @@ account.password.setPw.headline=Establecer protección por contraseña del moned
account.password.info=Con la protección de contraseña habilitada, deberá ingresar su contraseña al iniciar la aplicación, al retirar monero de su billetera y al mostrar sus palabras de semilla.
account.seed.backup.title=Copia de seguridad de palabras semilla del monedero
account.seed.info=Por favor apunte en un papel tanto las palabras semilla del monedero como la fecha! Puede recuperar su monedero en cualquier momento con las palabras semilla y la fecha.\nLas mismas palabras semilla se usan para el monedero BTC como BSQ\n\nDebe apuntar las palabras semillas en una hoja de papel. No la guarde en su computadora.\n\nPor favor, tenga en cuenta que las palabras semilla no son un sustituto de la copia de seguridad.\nNecesita hacer la copia de seguridad de todo el directorio de aplicación en la pantalla \"Cuenta/Copia de Seguridad\" para recuperar un estado de aplicación válido y los datos.\nImportar las palabras semilla solo se recomienda para casos de emergencia. La aplicación no será funcional sin una buena copia de seguridad de los archivos de la base de datos y las claves!
account.seed.info=Por favor apunte en un papel tanto las palabras semilla del monedero como la fecha! Puede recuperar su monedero en cualquier momento con las palabras semilla y la fecha.\nLas mismas palabras semilla se usan para el monedero XMR como BSQ\n\nDebe apuntar las palabras semillas en una hoja de papel. No la guarde en su computadora.\n\nPor favor, tenga en cuenta que las palabras semilla no son un sustituto de la copia de seguridad.\nNecesita hacer la copia de seguridad de todo el directorio de aplicación en la pantalla \"Cuenta/Copia de Seguridad\" para recuperar un estado de aplicación válido y los datos.\nImportar las palabras semilla solo se recomienda para casos de emergencia. La aplicación no será funcional sin una buena copia de seguridad de los archivos de la base de datos y las claves!
account.seed.backup.warning=Por favor tenga en cuenta que las palabras semilla NO SON un sustituto de la copia de seguridad.\nTiene que crear una copia de todo el directorio de aplicación desde la pantalla \"Cuenta/Copia de seguridad\ para recuperar el estado y datos de la aplicación.\nImportar las palabras semilla solo se recomienda para casos de emergencia. La aplicación no funcionará sin una copia de seguridad adecuada de las llaves y archivos de sistema!\n\nVea la página wiki [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] para más información.
account.seed.warn.noPw.msg=No ha establecido una contraseña de cartera que proteja la visualización de las palabras semilla.\n\n¿Quiere que se muestren las palabras semilla?
account.seed.warn.noPw.yes=Sí, y no preguntar de nuevo
account.seed.enterPw=Introducir contraseña para ver las palabras semilla
account.seed.restore.info=Por favor haga una copia de seguridad antes de aplicar la restauración desde las palabras semilla. Tenga en cuenta que la restauración de cartera solo es para casos de emergencia y puede causar problemas con la base de datos interna del monedero.\nNo es el modo de aplicar una restauración de copia de seguridad! Por favor use una copia de seguridad desde el archivo de directorio de la aplicación para restaurar un estado de aplicación anterior.\n\nDespués de restaurar la aplicación se cerrará automáticamente. Después de reiniciar la aplicacion se resincronizará con la red Bitcoin. Esto puede llevar un tiempo y consumir mucha CPU, especialemente si la cartera es antigua y tiene muchas transacciones. Por favor evite interrumpir este proceso, o podría tener que borrar el archivo de la cadena SPV de nuevo o repetir el proceso de restauración.
account.seed.restore.info=Por favor haga una copia de seguridad antes de aplicar la restauración desde las palabras semilla. Tenga en cuenta que la restauración de cartera solo es para casos de emergencia y puede causar problemas con la base de datos interna del monedero.\nNo es el modo de aplicar una restauración de copia de seguridad! Por favor use una copia de seguridad desde el archivo de directorio de la aplicación para restaurar un estado de aplicación anterior.\n\nDespués de restaurar la aplicación se cerrará automáticamente. Después de reiniciar la aplicacion se resincronizará con la red Monero. Esto puede llevar un tiempo y consumir mucha CPU, especialemente si la cartera es antigua y tiene muchas transacciones. Por favor evite interrumpir este proceso, o podría tener que borrar el archivo de la cadena SPV de nuevo o repetir el proceso de restauración.
account.seed.restore.ok=Ok, adelante con la restauración y el apagado de Haveno.
@ -1259,13 +1259,13 @@ account.notifications.trade.label=Recibir mensajes de intercambio
account.notifications.market.label=Recibir alertas de oferta
account.notifications.price.label=Recibir alertas de precio
account.notifications.priceAlert.title=Alertas de precio
account.notifications.priceAlert.high.label=Notificar si el precio de BTC está por encima
account.notifications.priceAlert.low.label=Notificar si el precio de BTC está por debajo
account.notifications.priceAlert.high.label=Notificar si el precio de XMR está por encima
account.notifications.priceAlert.low.label=Notificar si el precio de XMR está por debajo
account.notifications.priceAlert.setButton=Establecer alerta de precio
account.notifications.priceAlert.removeButton=Eliminar alerta de precio
account.notifications.trade.message.title=Estado de intercambio cambiado
account.notifications.trade.message.msg.conf=La transacción de depósito para el intercambio con ID {0} está confirmado. Por favor abra su aplicación Haveno e inicie el pago.
account.notifications.trade.message.msg.started=El comprador de BTC ha iniciado el pago para el intercambio con ID {0}
account.notifications.trade.message.msg.started=El comprador de XMR ha iniciado el pago para el intercambio con ID {0}
account.notifications.trade.message.msg.completed=El intercambio con ID {0} se ha completado.
account.notifications.offer.message.title=Su oferta fue tomada.
account.notifications.offer.message.msg=Su oferta con ID {0} se ha tomado.
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=Ha recibido un mensaje de disputa para
account.notifications.marketAlert.title=Altertas de oferta
account.notifications.marketAlert.selectPaymentAccount=Ofertas que concuerden con la cuenta de pago
account.notifications.marketAlert.offerType.label=Tipo de oferta en la que estoy interesado
account.notifications.marketAlert.offerType.buy=Ofertas de compra (quiero vender BTC)
account.notifications.marketAlert.offerType.sell=Ofertas de venta (quiero comprar BTC)
account.notifications.marketAlert.offerType.buy=Ofertas de compra (quiero vender XMR)
account.notifications.marketAlert.offerType.sell=Ofertas de venta (quiero comprar XMR)
account.notifications.marketAlert.trigger=Distancia de precio en la oferta (%)
account.notifications.marketAlert.trigger.info=Con distancia de precio establecida, solamente recibirá una alerta cuando se publique una oferta que satisfaga (o exceda) sus requerimientos. Por ejemplo: quiere vender BTC, pero solo venderá con un 2% de premium sobre el precio de mercado actual. Configurando este campo a 2% le asegurará que solo recibirá alertas de ofertas con precios que estén al 2% (o más) sobre el precio de mercado actual.
account.notifications.marketAlert.trigger.info=Con distancia de precio establecida, solamente recibirá una alerta cuando se publique una oferta que satisfaga (o exceda) sus requerimientos. Por ejemplo: quiere vender XMR, pero solo venderá con un 2% de premium sobre el precio de mercado actual. Configurando este campo a 2% le asegurará que solo recibirá alertas de ofertas con precios que estén al 2% (o más) sobre el precio de mercado actual.
account.notifications.marketAlert.trigger.prompt=Porcentaje de distancia desde el precio de mercado (e.g. 2.50%, -0.50%, etc)
account.notifications.marketAlert.addButton=Añadir alerta de oferta
account.notifications.marketAlert.manageAlertsButton=Gestionar alertas de oferta
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=Saldo disponible
contractWindow.title=Detalles de la disputa
contractWindow.dates=Fecha oferta / Fecha intercambio
contractWindow.btcAddresses=Dirección Bitcoin comprador BTC / vendedor BTC
contractWindow.onions=Dirección de red de comprador BTC / Vendedor BTC
contractWindow.accountAge=Edad de cuenta del comprador BTC / vendedor BTC
contractWindow.numDisputes=No. de disputas del comprador BTC / Vendedor BTC
contractWindow.xmrAddresses=Dirección Monero comprador XMR / vendedor XMR
contractWindow.onions=Dirección de red de comprador XMR / Vendedor XMR
contractWindow.accountAge=Edad de cuenta del comprador XMR / vendedor XMR
contractWindow.numDisputes=No. de disputas del comprador XMR / Vendedor XMR
contractWindow.contractHash=Hash del contrato
displayAlertMessageWindow.headline=Información importante!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=Resumen
disputeSummaryWindow.openDate=Fecha de apertura de ticket
disputeSummaryWindow.role=Rol del trader
disputeSummaryWindow.payout=Pago de la cantidad de intercambio
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} obtiene la cantidad de pago de intercambio
disputeSummaryWindow.payout.getsAll=Cantidad máxima de pago BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} obtiene la cantidad de pago de intercambio
disputeSummaryWindow.payout.getsAll=Cantidad máxima de pago XMR {0}
disputeSummaryWindow.payout.custom=Pago personalizado
disputeSummaryWindow.payoutAmount.buyer=Cantidad de pago del comprador
disputeSummaryWindow.payoutAmount.seller=Cantidad de pago del vendedor
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=Cerrar ticket
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket cerrado el {0}\n{1} dirección de nodo: {2}\n\nResumen:\nID de intercambio: {3}\nMoneda: {4}\nCantidad del intercambio: {5}\nCantidad de pago para el comprador de BTC: {6}\nCantidad de pago para el vendedor de BTC: {7}\n\nMotivo de la disputa: {8}\n\nNotas resumidas:\n{9}\n
disputeSummaryWindow.close.msg=Ticket cerrado el {0}\n{1} dirección de nodo: {2}\n\nResumen:\nID de intercambio: {3}\nMoneda: {4}\nCantidad del intercambio: {5}\nCantidad de pago para el comprador de XMR: {6}\nCantidad de pago para el vendedor de XMR: {7}\n\nMotivo de la disputa: {8}\n\nNotas resumidas:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1420,18 +1420,18 @@ filterWindow.mediators=Mediadores filtrados (direcciones onion separadas por com
filterWindow.refundAgents=Agentes de devolución de fondos filtrados (direcciones onion separadas por coma)
filterWindow.seedNode=Nodos semilla filtrados (direcciones onion separadas por coma)
filterWindow.priceRelayNode=nodos de retransmisión de precio filtrados (direcciones onion separadas por coma)
filterWindow.xmrNode=Nodos Bitcoin filtrados (direcciones + puerto separadas por coma)
filterWindow.preventPublicXmrNetwork=Prevenir uso de la red Bitcoin pública
filterWindow.xmrNode=Nodos Monero filtrados (direcciones + puerto separadas por coma)
filterWindow.preventPublicXmrNetwork=Prevenir uso de la red Monero pública
filterWindow.disableAutoConf=Deshabilitar autoconfirmación
filterWindow.autoConfExplorers=Exploradores de autoconfirmación filtrados (direcciones separadas por coma)
filterWindow.disableTradeBelowVersion=Versión mínima requerida para intercambios.
filterWindow.add=Añadir filtro
filterWindow.remove=Eliminar filtro
filterWindow.xmrFeeReceiverAddresses=Direcciones de recepción de la tasa BTC
filterWindow.xmrFeeReceiverAddresses=Direcciones de recepción de la tasa XMR
filterWindow.disableApi=Deshabilitar API
filterWindow.disableMempoolValidation=Deshabilitar validación de Mempool
offerDetailsWindow.minBtcAmount=Cantidad mínima BTC
offerDetailsWindow.minXmrAmount=Cantidad mínima XMR
offerDetailsWindow.min=(mínimo {0})
offerDetailsWindow.distance=(distancia del precio de mercado: {0})
offerDetailsWindow.myTradingAccount=MI cuenta de intercambio
@ -1496,7 +1496,7 @@ tradeDetailsWindow.agentAddresses=Árbitro/Mediador
tradeDetailsWindow.detailData=Detalle de datos
txDetailsWindow.headline=Detalles de transacción
txDetailsWindow.xmr.note=Ha enviado BTC
txDetailsWindow.xmr.note=Ha enviado XMR
txDetailsWindow.sentTo=Enviado a
txDetailsWindow.txId=TxId
@ -1506,7 +1506,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} con el precio de mercado ac
closedTradesSummaryWindow.totalVolume.title=Cantidad total intercambiada en {0}
closedTradesSummaryWindow.totalMinerFee.title=Suma de todas las trasas de minado
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} de la cantidad total intercambiada)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Suma de todas las tasas de intercambio pagadas en BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Suma de todas las tasas de intercambio pagadas en XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} de la cantidad total intercambiada)
walletPasswordWindow.headline=Introducir contraseña para desbloquear
@ -1532,12 +1532,12 @@ torNetworkSettingWindow.bridges.header=¿Está Tor bloqueado?
torNetworkSettingWindow.bridges.info=Si Tor está bloqueado por su proveedor de internet o por su país puede intentar usar puentes Tor.\nVisite la página web Tor en https://bridges.torproject.org/bridges para saber más acerca de los puentes y transportes conectables.
feeOptionWindow.headline=Elija la moneda para el pago de la comisiones de intercambio
feeOptionWindow.info=Puede elegir pagar la tasa de intercambio en BSQ o BTC. Si elige BSQ apreciará la comisión de intercambio descontada.
feeOptionWindow.info=Puede elegir pagar la tasa de intercambio en BSQ o XMR. Si elige BSQ apreciará la comisión de intercambio descontada.
feeOptionWindow.optionsLabel=Elija moneda para el pago de comisiones de intercambio
feeOptionWindow.useBTC=Usar BTC
feeOptionWindow.useXMR=Usar XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,9 +1579,9 @@ popup.warning.noTradingAccountSetup.msg=Necesita configurar una moneda nacional
popup.warning.noArbitratorsAvailable=No hay árbitros disponibles.
popup.warning.noMediatorsAvailable=No hay mediadores disponibles.
popup.warning.notFullyConnected=Necesita esperar hasta que esté completamente conectado a la red.\nPuede llevar hasta 2 minutos al inicio.
popup.warning.notSufficientConnectionsToBtcNetwork=Necesita esperar hasta que tenga al menos {0} conexiones a la red Bitcoin.
popup.warning.downloadNotComplete=Tiene que esperar hasta que finalice la descarga de los bloques Bitcoin que faltan.
popup.warning.chainNotSynced=La cadena de bloques del monedero Haveno no está sincronizada correctamente. Si ha iniciado la aplicación recientemente, espere a que se haya publicado al menos un bloque Bitcoin.\n\nPuede comprobar la altura de la cadena de bloques en Configuración/Información de red. Si se encuentra más de un bloque y el problema persiste podría estar estancado, en cuyo caso deberá hacer una resincronización SPV.\n[HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Necesita esperar hasta que tenga al menos {0} conexiones a la red Monero.
popup.warning.downloadNotComplete=Tiene que esperar hasta que finalice la descarga de los bloques Monero que faltan.
popup.warning.chainNotSynced=La cadena de bloques del monedero Haveno no está sincronizada correctamente. Si ha iniciado la aplicación recientemente, espere a que se haya publicado al menos un bloque Monero.\n\nPuede comprobar la altura de la cadena de bloques en Configuración/Información de red. Si se encuentra más de un bloque y el problema persiste podría estar estancado, en cuyo caso deberá hacer una resincronización SPV.\n[HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=¿Está seguro que quiere eliminar la oferta?
popup.warning.tooLargePercentageValue=No puede establecer un porcentaje del 100% o superior.
popup.warning.examplePercentageValue=Por favor, introduzca un número de porcentaje como \"5.4\" para 5.4%
@ -1601,13 +1601,13 @@ popup.warning.priceRelay=retransmisión de precio
popup.warning.seed=semilla
popup.warning.mandatoryUpdate.trading=Por favor, actualice a la última versión de Haveno. Se lanzó una actualización obligatoria que inhabilita intercambios con versiones anteriores. Por favor, lea el Foro de Haveno para más información\n
popup.warning.noFilter=No hemos recibido un objeto de filtro desde los nodos semilla. Esta situación no se esperaba. Por favor, informe a los desarrolladores Haveno.
popup.warning.burnBTC=Esta transacción no es posible, ya que las comisiones de minado de {0} excederían la cantidad a transferir de {1}. Por favor, espere a que las comisiones de minado bajen o hasta que haya acumulado más BTC para transferir.
popup.warning.burnXMR=Esta transacción no es posible, ya que las comisiones de minado de {0} excederían la cantidad a transferir de {1}. Por favor, espere a que las comisiones de minado bajen o hasta que haya acumulado más XMR para transferir.
popup.warning.openOffer.makerFeeTxRejected=La tasa de transacción para la oferta con ID {0} se rechazó por la red Bitcoin.\nID de transacción={1}\nLa oferta se ha eliminado para evitar futuros problemas.\nPor favor vaya a \"Configuración/Información de red\" y haga una resincronización SPV.\nPara más ayuda por favor contacte con el equipo de soporte de Haveno en el canal de Haveno en Keybase.
popup.warning.openOffer.makerFeeTxRejected=La tasa de transacción para la oferta con ID {0} se rechazó por la red Monero.\nID de transacción={1}\nLa oferta se ha eliminado para evitar futuros problemas.\nPor favor vaya a \"Configuración/Información de red\" y haga una resincronización SPV.\nPara más ayuda por favor contacte con el equipo de soporte de Haveno en el canal de Haveno en Keybase.
popup.warning.trade.txRejected.tradeFee=tasa de intercambio
popup.warning.trade.txRejected.deposit=depósito
popup.warning.trade.txRejected=La transacción {0} para el intercambio con ID {1} se rechazó por la red Bitcoin.\nID de transacción={2}\nEl intercambio se movió a intercambios fallidos.\nPor favor vaya a \"Configuración/Información de red\" y haga una resincronización SPV.\nPara más ayuda por favor contacte con el equipo de soporte de Haveno en el canal de Haveno en Keybase.
popup.warning.trade.txRejected=La transacción {0} para el intercambio con ID {1} se rechazó por la red Monero.\nID de transacción={2}\nEl intercambio se movió a intercambios fallidos.\nPor favor vaya a \"Configuración/Información de red\" y haga una resincronización SPV.\nPara más ayuda por favor contacte con el equipo de soporte de Haveno en el canal de Haveno en Keybase.
popup.warning.openOfferWithInvalidMakerFeeTx=La transacción de tasa de creador para la oferta con ID {0} es inválida.\nID de transacción={1}.\nPor favor vaya a \"Configuración/Información de red\" y haga una resincronización SPV.\nPara más ayuda por favor contacte con el equipo de soporte de Haveno en el canal de Haveno de Keybase.
@ -1622,7 +1622,7 @@ popup.warn.downGradePrevention=Degradar desde la versión {0} a la versión {1}
popup.privateNotification.headline=Notificación privada importante!
popup.securityRecommendation.headline=Recomendación de seguridad importante
popup.securityRecommendation.msg=Nos gustaría recordarle que considere usar protección por contraseña para su cartera, si no la ha activado ya.\n\nTambién es muy recomendable que escriba en un papel las palabras semilla del monedero. Esas palabras semilla son como una contraseña maestra para recuperar su cartera Bitcoin.\nEn la sección \"Semilla de cartera\" encontrará más información.\n\nAdicionalmente, debería hacer una copia de seguridad completa del directorio de aplicación en la sección \"Copia de seguridad\"
popup.securityRecommendation.msg=Nos gustaría recordarle que considere usar protección por contraseña para su cartera, si no la ha activado ya.\n\nTambién es muy recomendable que escriba en un papel las palabras semilla del monedero. Esas palabras semilla son como una contraseña maestra para recuperar su cartera Monero.\nEn la sección \"Semilla de cartera\" encontrará más información.\n\nAdicionalmente, debería hacer una copia de seguridad completa del directorio de aplicación en la sección \"Copia de seguridad\"
popup.moneroLocalhostNode.msg=Haveno ha detectado un nodo de Monero ejecutándose en esta máquina (en el localhost).\n\nPor favor, asegúrese de que el nodo esté completamente sincronizado antes de iniciar Haveno.
@ -1677,9 +1677,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Error al firmar
notification.trade.headline=Notificación de intercambio con ID {0}
notification.ticket.headline=Ticket de soporte de intercambio con ID {0}
notification.trade.completed=El intercambio se ha completado y puede retirar sus fondos.
notification.trade.accepted=Su oferta ha sido aceptada por un {0} BTC
notification.trade.accepted=Su oferta ha sido aceptada por un {0} XMR
notification.trade.unlocked=Su intercambio tiene al menos una confirmación en la cadena de bloques.\nPuede comenzar el pago ahora.
notification.trade.paymentSent=El comprador de BTC ha comenzado el pago.
notification.trade.paymentSent=El comprador de XMR ha comenzado el pago.
notification.trade.selectTrade=Seleccionar intercambio
notification.trade.peerOpenedDispute=Su pareja de intercambio ha abierto un {0}.
notification.trade.disputeClosed={0} se ha cerrado.
@ -1698,7 +1698,7 @@ systemTray.show=Mostrar ventana de aplicación
systemTray.hide=Esconder ventana de aplicación
systemTray.info=Información sobre Haveno
systemTray.exit=Salir
systemTray.tooltip=Haveno: Una red de intercambio de bitcoin descentralizada
systemTray.tooltip=Haveno: Una red de intercambio de monero descentralizada
####################################################################
@ -1760,10 +1760,10 @@ peerInfo.age.noRisk=Antigüedad de la cuenta de pago
peerInfo.age.chargeBackRisk=Tiempo desde el firmado
peerInfo.unknownAge=Edad desconocida
addressTextField.openWallet=Abrir su cartera Bitcoin predeterminada
addressTextField.openWallet=Abrir su cartera Monero predeterminada
addressTextField.copyToClipboard=Copiar dirección al portapapeles
addressTextField.addressCopiedToClipboard=La dirección se ha copiado al portapapeles
addressTextField.openWallet.failed=Fallo al abrir la cartera Bitcoin predeterminada. ¿Tal vez no tenga una instalada?
addressTextField.openWallet.failed=Fallo al abrir la cartera Monero predeterminada. ¿Tal vez no tenga una instalada?
peerInfoIcon.tooltip={0}\nEtiqueta: {1}
@ -1854,7 +1854,7 @@ seed.date=Fecha de la cartera
seed.restore.title=Restaurar monederos desde las palabras semilla
seed.restore=Restaurar monederos
seed.creationDate=Fecha de creación
seed.warn.walletNotEmpty.msg=Su cartera de Bitcoin no está vacía.\n\nDebe vaciar esta cartera antes de intentar restaurar a otra más antigua, ya que mezclar monederos puede llevar a copias de seguridad inválidas.\n\nPor favor, finalice sus intercambios, cierre todas las ofertas abiertas y vaya a la sección Fondos para retirar sus bitcoins.\nEn caso de que no pueda acceder a sus bitcoins puede utilizar la herramienta de emergencia para vaciar el monedero.\nPara abrir la herramienta de emergencia pulse \"alt + e\" o \"Cmd/Ctrl + e\".
seed.warn.walletNotEmpty.msg=Su cartera de Monero no está vacía.\n\nDebe vaciar esta cartera antes de intentar restaurar a otra más antigua, ya que mezclar monederos puede llevar a copias de seguridad inválidas.\n\nPor favor, finalice sus intercambios, cierre todas las ofertas abiertas y vaya a la sección Fondos para retirar sus moneros.\nEn caso de que no pueda acceder a sus moneros puede utilizar la herramienta de emergencia para vaciar el monedero.\nPara abrir la herramienta de emergencia pulse \"alt + e\" o \"Cmd/Ctrl + e\".
seed.warn.walletNotEmpty.restore=Quiero restaurar de todos modos
seed.warn.walletNotEmpty.emptyWallet=Vaciaré mi monedero antes
seed.warn.notEncryptedAnymore=Sus carteras están cifradas.\n\nDespués de restaurarlas, las carteras no estarán cifradas y tendrá que introducir una nueva contraseña.\n\n¿Quiere continuar?
@ -1945,12 +1945,12 @@ payment.checking=Comprobando
payment.savings=Ahorros
payment.personalId=ID personal:
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle es un servicio de transmisión de dinero que funciona mejor *a través* de otro banco..\n\n1. Compruebe esta página para ver si (y cómo) trabaja su banco con Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Preste atención a los límites de transferencia -límites de envío- que varían entre bancos, y que los bancos especifican a menudo diferentes límites diarios, semanales y mensuales..\n\n3. Si su banco no trabaja con Zelle, aún puede usarlo a través de la app móvil de Zelle, pero sus límites de transferencia serán mucho menores.\n\n4. El nombre especificado en su cuenta Haveno DEBE ser igual que el nombre en su cuenta de Zelle/bancaria. \n\nSi no puede completar una transacción Zelle tal como se especifica en el contrato, puede perder algo (o todo) el depósito de seguridad!\n\nDebido a que Zelle tiene cierto riesgo de reversión de pago, se aconseja que los vendedores contacten con los compradores no firmados a través de email o SMS para verificar que el comprador realmente tiene la cuenta de Zelle especificada en Haveno.
payment.fasterPayments.newRequirements.info=Algunos bancos han comenzado a verificar el nombre completo del receptor para las transferencias Faster Payments. Su cuenta actual Faster Payments no especifica un nombre completo.\n\nConsidere recrear su cuenta Faster Payments en Haveno para proporcionarle a los futuros compradores {0} un nombre completo.\n\nCuando vuelva a crear la cuenta, asegúrese de copiar el UK Short Code de forma precisa , el número de cuenta y los valores salt de la cuenta anterior a su cuenta nueva para la verificación de edad. Esto asegurará que la edad de su cuenta existente y el estado de la firma se conserven.
payment.moneyGram.info=Al utilizar MoneyGram, el comprador de BTC tiene que enviar el número de autorización y una foto del recibo al vendedor de BTC por correo electrónico. El recibo debe mostrar claramente el nobre completo del vendedor, país, estado y cantidad. El email del vendedor se mostrará al comprador durante el proceso de intercambio.
payment.westernUnion.info=Al utilizar Western Union, el comprador de BTC tiene que enviar el número de seguimiento (MTCN) y una foto del recibo al vendedor de BTC por correo electrónico. El recibo debe mostrar claramente el como el nombre completo del vendedor, país, ciudad y cantidad. Al comprador se le mostrará el correo electrónico del vendedor en el proceso de intercambio.
payment.halCash.info=Al usar HalCash el comprador de BTC necesita enviar al vendedor de BTC el código HalCash a través de un mensaje de texto desde el teléfono móvil.\n\nPor favor asegúrese de que no excede la cantidad máxima que su banco le permite enviar con HalCash. La cantidad mínima por retirada es de 10 EUR y el máximo son 600 EUR. Para retiros frecuentes es 3000 por receptor al día y 6000 por receptor al mes. Por favor compruebe estos límites con su banco y asegúrese que son los mismos aquí expuestos.\n\nLa cantidad de retiro debe ser un múltiplo de 10 EUR ya que no se puede retirar otras cantidades desde el cajero automático. La Interfaz de Usuario en la pantalla crear oferta y tomar oferta ajustará la cantidad de BTC para que la cantidad de EUR sea correcta. No puede usar precios basados en el mercado ya que la cantidad de EUR cambiaría con el cambio de precios.\n\nEn caso de disputa el comprador de BTC necesita proveer la prueba de que ha enviado EUR.
payment.moneyGram.info=Al utilizar MoneyGram, el comprador de XMR tiene que enviar el número de autorización y una foto del recibo al vendedor de XMR por correo electrónico. El recibo debe mostrar claramente el nobre completo del vendedor, país, estado y cantidad. El email del vendedor se mostrará al comprador durante el proceso de intercambio.
payment.westernUnion.info=Al utilizar Western Union, el comprador de XMR tiene que enviar el número de seguimiento (MTCN) y una foto del recibo al vendedor de XMR por correo electrónico. El recibo debe mostrar claramente el como el nombre completo del vendedor, país, ciudad y cantidad. Al comprador se le mostrará el correo electrónico del vendedor en el proceso de intercambio.
payment.halCash.info=Al usar HalCash el comprador de XMR necesita enviar al vendedor de XMR el código HalCash a través de un mensaje de texto desde el teléfono móvil.\n\nPor favor asegúrese de que no excede la cantidad máxima que su banco le permite enviar con HalCash. La cantidad mínima por retirada es de 10 EUR y el máximo son 600 EUR. Para retiros frecuentes es 3000 por receptor al día y 6000 por receptor al mes. Por favor compruebe estos límites con su banco y asegúrese que son los mismos aquí expuestos.\n\nLa cantidad de retiro debe ser un múltiplo de 10 EUR ya que no se puede retirar otras cantidades desde el cajero automático. La Interfaz de Usuario en la pantalla crear oferta y tomar oferta ajustará la cantidad de XMR para que la cantidad de EUR sea correcta. No puede usar precios basados en el mercado ya que la cantidad de EUR cambiaría con el cambio de precios.\n\nEn caso de disputa el comprador de XMR necesita proveer la prueba de que ha enviado EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Por favor, tenga en cuenta que todas las transferencias bancarias tienen cierto riesgo de reversión de pago.\n\nPara disminuir este riesgo, Haveno establece límites por intercambio en función del nivel estimado de riesgo de reversión de pago para el método usado.\n\nPara este método de pago, su límite por intercambio para comprar y vender es {2}.\n\nEste límite solo aplica al tamaño de un intercambio: puede poner tantos intercambios como quira.\n\nConsulte detalles en la wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1966,7 +1966,7 @@ payment.amazonGiftCard.upgrade=El método de pago Tarjetas regalo Amazon requier
payment.account.amazonGiftCard.addCountryInfo={0}\nSu cuenta actual de Tarjeta regalo Amazon ({1}) no tiene un País especificado.\nPor favor introduzca el país de su Tarjeta regalo Amazon para actualizar sus datos de cuenta.\nEsto no afectará el estatus de edad de su cuenta.
payment.amazonGiftCard.upgrade.headLine=Actualizar cuenta Tarjeta regalo Amazon
payment.usPostalMoneyOrder.info=Los intercambios usando US Postal Money Orders (USPMO) en Haveno requiere que entienda lo siguiente:\n\n- Los compradores de BTC deben escribir la dirección del vendedor en los campos de "Payer" y "Payee" y tomar una foto en alta resolución de la USPMO y del sobre con la prueba de seguimiento antes de enviar.\n- Los compradores de BTC deben enviar la USPMO con confirmación de entrega.\n\nEn caso de que sea necesaria la mediación, se requerirá al comprador que entregue las fotos al mediador o agente de devolución de fondos, junto con el número de serie de la USPMO, número de oficina postal, y la cantidad de USD, para que puedan verificar los detalles en la web de US Post Office.\n\nNo entregar la información requerida al Mediador o Árbitro resultará en pérdida del caso de disputa. \n\nEn todos los casos de disputa, el emisor de la USPMO tiene el 100% de responsabilidad en aportar la evidencia al Mediador o Árbitro.\n\nSi no entiende estos requerimientos, no comercie usando USPMO en Haveno.
payment.usPostalMoneyOrder.info=Los intercambios usando US Postal Money Orders (USPMO) en Haveno requiere que entienda lo siguiente:\n\n- Los compradores de XMR deben escribir la dirección del vendedor en los campos de "Payer" y "Payee" y tomar una foto en alta resolución de la USPMO y del sobre con la prueba de seguimiento antes de enviar.\n- Los compradores de XMR deben enviar la USPMO con confirmación de entrega.\n\nEn caso de que sea necesaria la mediación, se requerirá al comprador que entregue las fotos al mediador o agente de devolución de fondos, junto con el número de serie de la USPMO, número de oficina postal, y la cantidad de USD, para que puedan verificar los detalles en la web de US Post Office.\n\nNo entregar la información requerida al Mediador o Árbitro resultará en pérdida del caso de disputa. \n\nEn todos los casos de disputa, el emisor de la USPMO tiene el 100% de responsabilidad en aportar la evidencia al Mediador o Árbitro.\n\nSi no entiende estos requerimientos, no comercie usando USPMO en Haveno.
payment.payByMail.info=Comerciar utilizando Pay by Mail en Haveno requiere que comprendas lo siguiente:\n\
\n\
@ -1996,7 +1996,7 @@ payment.f2f.city.prompt=La ciudad se mostrará con la oferta
payment.shared.optionalExtra=Información adicional opcional
payment.shared.extraInfo=Información adicional
payment.shared.extraInfo.prompt=Defina cualquier término especial, condiciones o detalles que quiera mostrar junto a sus ofertas para esta cuenta de pago (otros usuarios podrán ver esta información antes de aceptar las ofertas).
payment.f2f.info=Los intercambios 'Cara a Cara' tienen diferentes reglas y riesgos que las transacciones en línea.\n\nLas principales diferencias son:\n● Los pares de intercambio necesitan intercambiar información acerca del punto de reunión y la hora usando los detalles de contacto proporcionados.\n● Los pares de intercambio tienen que traer sus portátiles y hacer la confirmación de 'pago enviado' y 'pago recibido' en el lugar de reunión.\n● Si un creador tiene 'términos y condiciones' especiales necesita declararlos en el campo de texto 'información adicional' en la cuenta.\n● Tomando una oferta el tomador está de acuerdo con los 'términos y condiciones' declarados por el creador.\n● En caso de disputa el árbitro no puede ayudar mucho ya que normalmente es complicado obtener evidencias no manipulables de lo que ha pasado en una reunión. En estos casos los fondos BTC pueden bloquearse indefinidamente o hasta que los pares lleguen a un acuerdo.\n\nPara asegurarse de que comprende las diferencias con los intercambios 'Cara a Cara' por favor lea las instrucciones y recomendaciones en: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info=Los intercambios 'Cara a Cara' tienen diferentes reglas y riesgos que las transacciones en línea.\n\nLas principales diferencias son:\n● Los pares de intercambio necesitan intercambiar información acerca del punto de reunión y la hora usando los detalles de contacto proporcionados.\n● Los pares de intercambio tienen que traer sus portátiles y hacer la confirmación de 'pago enviado' y 'pago recibido' en el lugar de reunión.\n● Si un creador tiene 'términos y condiciones' especiales necesita declararlos en el campo de texto 'información adicional' en la cuenta.\n● Tomando una oferta el tomador está de acuerdo con los 'términos y condiciones' declarados por el creador.\n● En caso de disputa el árbitro no puede ayudar mucho ya que normalmente es complicado obtener evidencias no manipulables de lo que ha pasado en una reunión. En estos casos los fondos XMR pueden bloquearse indefinidamente o hasta que los pares lleguen a un acuerdo.\n\nPara asegurarse de que comprende las diferencias con los intercambios 'Cara a Cara' por favor lea las instrucciones y recomendaciones en: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Abrir paǵina web
payment.f2f.offerbook.tooltip.countryAndCity=País y ciudad: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Información adicional: {0}
@ -2008,7 +2008,7 @@ payment.japan.recipient=Nombre
payment.australia.payid=PayID
payment.payid=PayID conectado a una institución financiera. Como la dirección email o el número de móvil.
payment.payid.info=Un PayID como un número de teléfono, dirección email o Australian Business Number (ABN), que puede conectar con seguridad a su banco, unión de crédito o cuenta de construcción de sociedad. Necesita haber creado una PayID con su institución financiera australiana. Tanto para enviar y recibir las instituciones financieras deben soportar PayID. Para más información por favor compruebe [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=Para pagar con Tarjeta eGift Amazon. necesitará enviar una Tarjeta eGift Amazon al vendedor BTC a través de su cuenta Amazon.\n\nHaveno mostrará la dirección e-mail del vendedor de BTC o el número de teléfono donde la tarjeta de regalo deberá enviarse. Por favor vea la wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] para más detalles y mejores prácticas.\n\nNotas importantes:\n- Pruebe a enviar las tarjetas regalo en cantidades de 100USD o menores, ya que Amazon está señalando tarjetas regalo mayores como fraudulentas.\n- Intente usar textos para el mensaje de la tarjeta regalo creíbles y creativos ("Feliz cumpleaños!").\n- Las tarjetas Amazon eGift pueden ser redimidas únicamente en la web de Amazon en la que se compraron (por ejemplo, una tarjeta comprada en amazon.it solo puede ser redimida en amazon.it)
payment.amazonGiftCard.info=Para pagar con Tarjeta eGift Amazon. necesitará enviar una Tarjeta eGift Amazon al vendedor XMR a través de su cuenta Amazon.\n\nHaveno mostrará la dirección e-mail del vendedor de XMR o el número de teléfono donde la tarjeta de regalo deberá enviarse. Por favor vea la wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] para más detalles y mejores prácticas.\n\nNotas importantes:\n- Pruebe a enviar las tarjetas regalo en cantidades de 100USD o menores, ya que Amazon está señalando tarjetas regalo mayores como fraudulentas.\n- Intente usar textos para el mensaje de la tarjeta regalo creíbles y creativos ("Feliz cumpleaños!").\n- Las tarjetas Amazon eGift pueden ser redimidas únicamente en la web de Amazon en la que se compraron (por ejemplo, una tarjeta comprada en amazon.it solo puede ser redimida en amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2166,7 +2166,7 @@ validation.zero=El 0 no es un valor permitido.
validation.negative=No se permiten entradas negativas.
validation.traditional.tooSmall=No se permite introducir un valor menor que el mínimo posible
validation.traditional.tooLarge=No se permiten entradas más grandes que la mayor posible.
validation.xmr.fraction=El valor introducido resulta en un valor de bitcoin menor a 1 satoshi
validation.xmr.fraction=El valor introducido resulta en un valor de monero menor a 1 satoshi
validation.xmr.tooLarge=No se permiten valores mayores que {0}.
validation.xmr.tooSmall=Valores menores que {0} no se permiten.
validation.passwordTooShort=El password introducido es muy corto. Necesita tener al menos 8 caracteres.
@ -2176,10 +2176,10 @@ validation.sortCodeChars={0} debe consistir en {1} caracteres
validation.bankIdNumber={0} debe consistir en {1} números.
validation.accountNr=El número de cuenta debe consistir en {0} números.
validation.accountNrChars=El número de cuenta debe consistir en {0} caracteres.
validation.btc.invalidAddress=La dirección no es correcta. Por favor compruebe el formato de la dirección.
validation.xmr.invalidAddress=La dirección no es correcta. Por favor compruebe el formato de la dirección.
validation.integerOnly=Por favor, introduzca sólo números enteros.
validation.inputError=Su entrada causó un error:\n{0}
validation.btc.exceedsMaxTradeLimit=Su límite de intercambio es {0}.
validation.xmr.exceedsMaxTradeLimit=Su límite de intercambio es {0}.
validation.nationalAccountId={0} debe consistir de {1} número(s).
#new

View File

@ -36,12 +36,12 @@ shared.iUnderstand=فهمیدم
shared.na=بدون پاسخ
shared.shutDown=خاموش
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=خرید بیتکوین
shared.sellBitcoin=بیتکوین بفروشید
shared.buyMonero=خرید بیتکوین
shared.sellMonero=بیتکوین بفروشید
shared.buyCurrency=خرید {0}
shared.sellCurrency=فروش {0}
shared.buyingBTCWith=خرید بیتکوین با {0}
shared.sellingBTCFor=فروش بیتکوین با {0}
shared.buyingXMRWith=خرید بیتکوین با {0}
shared.sellingXMRFor=فروش بیتکوین با {0}
shared.buyingCurrency=خرید {0} ( فروش بیتکوین)
shared.sellingCurrency=فروش {0} (خرید بیتکوین)
shared.buy=خرید
@ -93,7 +93,7 @@ shared.amountMinMax=مقدار (حداقل - حداکثر)
shared.amountHelp=اگر پیشنهادی دسته‌ی حداقل و حداکثر مقدار دارد، شما می توانید هر مقداری در محدوده پیشنهاد را معامله کنید.
shared.remove=حذف
shared.goTo=به {0} بروید
shared.BTCMinMax=بیتکوین (حداقل - حداکثر)
shared.XMRMinMax=بیتکوین (حداقل - حداکثر)
shared.removeOffer=حذف پیشنهاد
shared.dontRemoveOffer=پیشنهاد را حذف نکنید
shared.editOffer=ویرایش پیشنهاد
@ -105,14 +105,14 @@ shared.nextStep=گام بعدی
shared.selectTradingAccount=حساب معاملات را انتخاب کنید
shared.fundFromSavingsWalletButton=انتقال وجه از کیف Haveno
shared.fundFromExternalWalletButton=برای تهیه پول، کیف پول بیرونی خود را باز کنید
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent= ٪ زیر قیمت بازار
shared.aboveInPercent= ٪ بالای قیمت بازار
shared.enterPercentageValue=ارزش ٪ را وارد کنید
shared.OR=یا
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=در انتظار دریافت وجه...
shared.TheBTCBuyer=خریدار بیتکوین
shared.TheXMRBuyer=خریدار بیتکوین
shared.You=شما
shared.sendingConfirmation=در حال ارسال تاییدیه...
shared.sendingConfirmationAgain=لطفاً تاییدیه را دوباره ارسال نمایید
@ -125,7 +125,7 @@ shared.notUsedYet=هنوز مورد استفاده قرار نگرفته
shared.date=تاریخ
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=کپی در کلیپ‌بورد
shared.language=زبان
shared.country=کشور
@ -169,7 +169,7 @@ shared.payoutTxId=شناسه تراکنش پرداخت
shared.contractAsJson=قرارداد در قالب JSON
shared.viewContractAsJson=مشاهده‌ی قرارداد در قالب JSON:
shared.contract.title=قرارداد برای معامله با شناسه ی {0}
shared.paymentDetails=جزئیات پرداخت BTC {0}
shared.paymentDetails=جزئیات پرداخت XMR {0}
shared.securityDeposit=سپرده‌ی اطمینان
shared.yourSecurityDeposit=سپرده ی اطمینان شما
shared.contract=قرارداد
@ -179,7 +179,7 @@ shared.messageSendingFailed=ارسال پیام ناموفق بود. خطا: {0}
shared.unlock=باز کردن
shared.toReceive=قابل دریافت
shared.toSpend=قابل خرج کردن
shared.btcAmount=مقدار بیتکوین
shared.xmrAmount=مقدار بیتکوین
shared.yourLanguage=زبان‌های شما
shared.addLanguage=افزودن زبان
shared.total=مجموع
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=بازار
mainView.menu.buyBtc=خرید بیتکوین
mainView.menu.sellBtc=فروش بیتکوین
mainView.menu.buyXmr=خرید بیتکوین
mainView.menu.sellXmr=فروش بیتکوین
mainView.menu.portfolio=سبد سرمایه
mainView.menu.funds=وجوه
mainView.menu.support=پشتیبانی
@ -245,9 +245,9 @@ mainView.balance.reserved.short=اندوخته
mainView.balance.pending.short=قفل شده
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(لوکال هاست)
mainView.footer.localhostMoneroNode=(لوکال هاست)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=در حال ارتباط با شبکه بیت‌کوین
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
@ -274,7 +274,7 @@ mainView.walletServiceErrorMsg.connectionError=ارتباط با شبکه‌ی
mainView.walletServiceErrorMsg.rejectedTxException=A transaction was rejected from the network.\n\n{0}
mainView.networkWarning.allConnectionsLost=اتصال شما به تمام {0} همتایان شبکه قطع شد.\nشاید ارتباط کامپیوتر شما قطع شده است یا کامپیوتر در حالت Standby است.
mainView.networkWarning.localhostBitcoinLost=اتصال شما به Node لوکال هاست بیتکوین قطع شد.\nلطفاً به منظور اتصال به سایر Nodeهای بیتکوین، برنامه‌ی Haveno یا Node لوکال هاست بیتکوین را مجددا راه اندازی کنید.
mainView.networkWarning.localhostMoneroLost=اتصال شما به Node لوکال هاست بیتکوین قطع شد.\nلطفاً به منظور اتصال به سایر Nodeهای بیتکوین، برنامه‌ی Haveno یا Node لوکال هاست بیتکوین را مجددا راه اندازی کنید.
mainView.version.update=(به روز رسانی موجود است)
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=تعداد پیشنهادها: {0}
offerbook.volume={0} (حداقل - حداکثر)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=پیشنهاد جدید برای خرید {0} ایجاد کن
@ -415,7 +415,7 @@ offerbook.info.roundedFiatVolume=مقدار برای حفظ حریم خصوصی
createOffer.amount.prompt=مقدار را به بیتکوین وارد کنید.
createOffer.price.prompt=قیمت را وارد کنید
createOffer.volume.prompt=مقدار را در {0} وارد کنید
createOffer.amountPriceBox.amountDescription=مقدار BTC برای {0}
createOffer.amountPriceBox.amountDescription=مقدار XMR برای {0}
createOffer.amountPriceBox.buy.volumeDescription=مقدار در {0} به منظور خرج کردن
createOffer.amountPriceBox.sell.volumeDescription=مقدار در {0} به منظور دریافت نمودن
createOffer.amountPriceBox.minAmountDescription=حداقل مقدار بیتکوین
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=شما همیشه {0}% بیشتر از ن
createOffer.info.buyBelowMarketPrice=شما همیشه {0}% کمتر از نرخ روز فعلی بازار پرداخت خواهید کرد، زیرا قیمت پیشنهادتان به طور مداوم به روز رسانی خواهد شد.
createOffer.warning.sellBelowMarketPrice=شما همیشه {0}% کمتر از نرخ روز فعلی بازار دریافت خواهید کرد، زیرا قیمت پیشنهادتان به طور مداوم به روز رسانی خواهد شد.
createOffer.warning.buyAboveMarketPrice=شما همیشه {0}% کمتر از نرخ روز فعلی بازار پرداخت خواهید کرد، زیرا قیمت پیشنهادتان به طور مداوم به روز رسانی خواهد شد.
createOffer.tradeFee.descriptionBTCOnly=کارمزد معامله
createOffer.tradeFee.descriptionXMROnly=کارمزد معامله
createOffer.tradeFee.descriptionBSQEnabled=انتخاب ارز برای کارمزد معامله
createOffer.triggerPrice.prompt=Set optional trigger price
@ -482,7 +482,7 @@ takeOffer.amountPriceBox.buy.amountDescription=مقدار بیتکوین به م
takeOffer.amountPriceBox.sell.amountDescription=مقدار بیتکوین به منظور خرید
takeOffer.amountPriceBox.priceDescription=قیمت به ازای هر بیتکوین در {0}
takeOffer.amountPriceBox.amountRangeDescription=محدوده‌ی مقدار ممکن
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=مقداری که شما وارد کرده‌اید، از تعداد عددهای اعشاری مجاز فراتر رفته است.\nمقدار به 4 عدد اعشاری تنظیم شده است.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=مقداری که شما وارد کرده‌اید، از تعداد عددهای اعشاری مجاز فراتر رفته است.\nمقدار به 4 عدد اعشاری تنظیم شده است.
takeOffer.validation.amountSmallerThanMinAmount=مقدار نمی‌تواند کوچکتر از حداقل مقدار تعیین شده در پیشنهاد باشد.
takeOffer.validation.amountLargerThanOfferAmount=مقدار ورودی نمی‌تواند بالاتر از مقدار تعیین شده در پیشنهاد باشد.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=مقدار ورودی، باعث ایجاد تغییر جزئی برای فروشنده بیتکوین می شود.
@ -597,7 +597,7 @@ portfolio.pending.step1.openForDispute=The deposit transaction is still not conf
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
@ -615,9 +615,9 @@ portfolio.pending.step2_buyer.westernUnion.extra=مورد الزامی مهم:\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=لطفاً {0} را توسط \"US Postal Money Order\" به فروشنده‌ی بیتکوین پرداخت کنید.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=لطفا با استفاده از راه‌های ارتباطی ارائه شده توسط فروشنده با وی تماس بگیرید و قرار ملاقاتی را برای پرداخت {0} تنظیم کنید.\n
portfolio.pending.step2_buyer.startPaymentUsing=آغاز پرداخت با استفاده از {0}
@ -641,14 +641,14 @@ portfolio.pending.step2_buyer.confirmStart.headline=تأیید کنید که پ
portfolio.pending.step2_buyer.confirmStart.msg=آیا شما پرداخت {0} را به شریک معاملاتی خود آغاز کردید؟
portfolio.pending.step2_buyer.confirmStart.yes=بلی، پرداخت را آغاز کرده‌ام
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=برای پرداخت منتظر باشید
portfolio.pending.step2_seller.f2fInfo.headline=اطلاعات تماس خریدار
portfolio.pending.step2_seller.waitPayment.msg=تراکنش سپرده، حداقل یک تأییدیه بلاکچین دارد.شما\nباید تا آغاز پرداخت {0} از جانب خریدار بیتکوین، صبر نمایید.
portfolio.pending.step2_seller.warn=خریدار بیت‌کوین هنوز پرداخت {0} را انجام نداده است.\nشما باید تا آغاز پرداخت از جانب او، صبر نمایید.\nاگر معامله تا {1} تکمیل نشد، داور بررسی خواهد کرد.
portfolio.pending.step2_seller.openForDispute=The BTC buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
portfolio.pending.step2_seller.openForDispute=The XMR buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
tradeChat.chatWindowTitle=Chat window for trade with ID ''{0}''
tradeChat.openChat=Open chat window
tradeChat.rules=You can communicate with your trade peer to resolve potential problems with this trade.\nIt is not mandatory to reply in the chat.\nIf a trader violates any of the rules below, open a dispute and report it to the mediator or arbitrator.\n\nChat rules:\n\t● Do not send any links (risk of malware). You can send the transaction ID and the name of a block explorer.\n\t● Do not send your seed words, private keys, passwords or other sensitive information!\n\t● Do not encourage trading outside of Haveno (no security).\n\t● Do not engage in any form of social engineering scam attempts.\n\t● If a peer is not responding and prefers to not communicate via chat, respect their decision.\n\t● Keep conversation scope limited to the trade. This chat is not a messenger replacement or troll-box.\n\t● Keep conversation friendly and respectful.
@ -671,19 +671,19 @@ portfolio.pending.step3_buyer.wait.info=برای تأییدیه رسید پرد
portfolio.pending.step3_buyer.wait.msgStateInfo.label=وضعیت پیام آغاز شدن پرداخت
portfolio.pending.step3_buyer.warn.part1a=بر بلاکچین {0}
portfolio.pending.step3_buyer.warn.part1b=در ارائه دهنده‌ی پرداخت شما (برای مثال بانک)
portfolio.pending.step3_buyer.warn.part2=The BTC seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The BTC seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
portfolio.pending.step3_buyer.warn.part2=The XMR seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The XMR seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=شریک معاملاتی شما تأیید کرده که پرداخت {0} را آغاز نموده است.\n\n
portfolio.pending.step3_seller.crypto.explorer=در کاوشگر بلاکچین محبوبتان {0}
portfolio.pending.step3_seller.crypto.wallet=در کیف‌پول {0} شما
portfolio.pending.step3_seller.crypto={0} لطفا بررسی کنید {1} که آیا تراکنش مربوط به آدرس شما\n{2}\n تعداد تاییدیه‌های کافی بر روی بلاکچین دریافت کرده است یا خیر.\nمبلغ پرداخت باید {3} باشد\nشما می‌توانید آدرس {4} خود را پس از بستن پنجره از صفحه اصلی کپی کنید.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=چون پرداخت از طریق سپرده‌ی نقدی انجام شده است، خریدار BTC باید عبارت \"غیر قابل استرداد\" را روی رسید کاغذی بنویسد، آن را به 2 قسمت پاره کند و از طریق ایمیل به شما یک عکس ارسال کند.\n\nبه منظور اجتناب از استرداد وجه، تنها در صورتی تایید کنید که ایمیل را دریافت کرده باشید و از صحت رسید کاغذی مطمئن باشید.\nاگر مطمئن نیستید، {0}
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=چون پرداخت از طریق سپرده‌ی نقدی انجام شده است، خریدار XMR باید عبارت \"غیر قابل استرداد\" را روی رسید کاغذی بنویسد، آن را به 2 قسمت پاره کند و از طریق ایمیل به شما یک عکس ارسال کند.\n\nبه منظور اجتناب از استرداد وجه، تنها در صورتی تایید کنید که ایمیل را دریافت کرده باشید و از صحت رسید کاغذی مطمئن باشید.\nاگر مطمئن نیستید، {0}
portfolio.pending.step3_seller.moneyGram=خریدار باید شماره مجوز و عکسی از رسید را به ایمیل شما ارسال کند.\nرسید باید به طور واضح نام کامل شما ، کشور، ایالت فروشنده و مقدار را نشان دهد. لطفاً ایمیل خود را بررسی کنید که آیا شماره مجوز را دریافت کرده‌اید یا خیر.\n\nپس از بستن پنجره، نام و آدرس خریدار بیتکوین را برای برداشت پول از مانی‌گرام خواهید دید.\n\nتنها پس از برداشت موفقیت آمیز پول، رسید را تأیید کنید!
portfolio.pending.step3_seller.westernUnion=خریدار باید MTCN (شماره پیگیری) و عکسی از رسید را به ایمیل شما ارسال کند.\nرسید باید به طور واضح نام کامل شما، کشور، ایالت فروشنده و مقدار را نشان دهد. لطفاً ایمیل خود را بررسی کنید که آیا MTCN را دریافت کرده اید یا خیر.\nپس از بستن پنجره، نام و آدرس خریدار بیتکوین را برای برداشت پول از Western Union خواهید دید.\nتنها پس از برداشت موفقیت آمیز پول، رسید را تأیید کنید!
portfolio.pending.step3_seller.halCash=خریدار باید کد HalCash را برای شما با پیامک بفرستد. علاوه‌ برآن شما از HalCash پیامی را محتوی اطلاعات موردنیاز برای برداشت EUR از خودپردازهای پشتیبان HalCash دریافت خواهید کرد.\n\nپس از اینکه پول را از دستگاه خودپرداز دریافت کردید، لطفا در اینجا رسید پرداخت را تایید کنید.
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=آیا وجه {0} را ا
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Please also verify that the name of the sender specified on the trade contract matches the name that appears on your bank statement:\nSender''s name, per trade contract: {0}\n\nIf the names are not exactly the same, don''t confirm payment receipt. Instead, open a dispute by pressing \"alt + o\" or \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the BTC buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the XMR buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=تأیید کنید که وجه را دریافت کرده‌اید
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=بله وجه را دریافت کرده‌ام
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANT: By confirming receipt of payment, you are also verifying the account of the counterparty and signing it accordingly. Since the account of the counterparty hasn't been signed yet, you should delay confirmation of the payment as long as possible to reduce the risk of a chargeback.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=کارمزد معامله
portfolio.pending.step5_buyer.makersMiningFee=کارمزد استخراج
portfolio.pending.step5_buyer.takersMiningFee=کل کارمزد استخراج
portfolio.pending.step5_buyer.refunded=سپرده اطمینان مسترد شده
portfolio.pending.step5_buyer.withdrawBTC=برداشت بیتکوین شما
portfolio.pending.step5_buyer.withdrawXMR=برداشت بیتکوین شما
portfolio.pending.step5_buyer.amount=مبلغ قابل برداشت
portfolio.pending.step5_buyer.withdrawToAddress=برداشت به آدرس
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=You've already accepted
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=تأمین مالی کیف پول Haveno 
funds.deposit.noAddresses=آدرس‌هایی برای سپرده ایجاد نشده است
funds.deposit.fundWallet=تأمین مالی کیف پول شما
funds.deposit.withdrawFromWallet=ارسال وجه از کیف‌پول
funds.deposit.amount=مبلغ به BTC (اختیاری)
funds.deposit.amount=مبلغ به XMR (اختیاری)
funds.deposit.generateAddress=ایجاد آدرس جدید
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=لطفاً به جای ایجاد یک آدرس جدید، یک آدرس استفاده نشده را از جدول بالا انتخاب کنید.
@ -890,7 +890,7 @@ funds.tx.revert=عودت
funds.tx.txSent=تراکنش به طور موفقیت آمیز به یک آدرس جدید در کیف پول محلی Haveno ارسال شد.
funds.tx.direction.self=ارسال شده به خودتان
funds.tx.dustAttackTx=Received dust
funds.tx.dustAttackTx.popup=This transaction is sending a very small BTC amount to your wallet and might be an attempt from chain analysis companies to spy on your wallet.\n\nIf you use that transaction output in a spending transaction they will learn that you are likely the owner of the other address as well (coin merge).\n\nTo protect your privacy the Haveno wallet ignores such dust outputs for spending purposes and in the balance display. You can set the threshold amount when an output is considered dust in the settings.
funds.tx.dustAttackTx.popup=This transaction is sending a very small XMR amount to your wallet and might be an attempt from chain analysis companies to spy on your wallet.\n\nIf you use that transaction output in a spending transaction they will learn that you are likely the owner of the other address as well (coin merge).\n\nTo protect your privacy the Haveno wallet ignores such dust outputs for spending purposes and in the balance display. You can set the threshold amount when an output is considered dust in the settings.
####################################################################
# Support
@ -954,7 +954,7 @@ support.sellerMaker=فروشنده/سفارش گذار بیتکوین
support.buyerTaker=خریدار/پذیرنده‌ی بیتکوین
support.sellerTaker=فروشنده/پذیرنده‌ی بیتکوین
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the BTC buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the BTC seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the XMR buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the XMR seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.systemMsg=پیغام سیستم: {0}
support.youOpenedTicket=شما یک درخواست برای پشتیبانی باز کردید.\n\n{0}\n\nنسخه Haveno شما: {1}
support.youOpenedDispute=شما یک درخواست برای یک اختلاف باز کردید.\n\n{0}\n\nنسخه Haveno شما: {1}
@ -978,13 +978,13 @@ settings.tab.network=اطلاعات شبکه
settings.tab.about=درباره
setting.preferences.general=اولویت‌های عمومی
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=حداکثر تفاوت از قیمت روز بازار
setting.preferences.avoidStandbyMode=حالت «آماده باش» را نادیده بگیر
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=مقادیر بزرگتر از {0}% مجاز نیست.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1021,7 +1021,7 @@ settings.preferences.editCustomExplorer.name=نام
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=شبکه بیتکوین
settings.net.xmrHeader=شبکه بیتکوین
settings.net.p2pHeader=Haveno network
settings.net.onionAddressLabel=آدرس onion من
settings.net.xmrNodesLabel=استفاده از گره‌های Monero اختصاصی
@ -1034,16 +1034,16 @@ settings.net.useCustomNodesRadio=استفاده از نودهای بیتکوین
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=خیر، از نودهای فراهم شده استفاده کنید.
settings.net.warn.usePublicNodes.usePublic=بلی، از شبکه عمومی استفاده کنید.
settings.net.warn.useCustomNodes.B2XWarning=لطفا مطمئن شوید که گره بیت‌کوین شما یک گره مورد اعتماد Bitcoin Core است!\n\nمتصل شدن به گره‌هایی که از قوانین مورد اجماع موجود در Bitcoin Core پیروی نمی‌کنند می‌تواند باعث خراب شدن کیف پول شما شود و در فرآیند معامله مشکلاتی را به وجود بیاورد.\n\nکاربرانی که از گره‌های ناقض قوانین مورد اجماع استفاده می‌کند مسئول هر گونه آسیب ایجاد شده هستند. اگر هر گونه اختلافی به وجود بیاید به نفع دیگر گره‌هایی که از قوانین مورد اجماع پیروی می‌کنند درمورد آن تصمیم گیری خواهد شد. به کاربرانی که این هشدار و سازوکار محافظتی را نادیده می‌گیرند هیچ‌گونه پشتیبانی فنی ارائه نخواهد شد!
settings.net.warn.invalidBtcConfig=Connection to the Bitcoin network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Bitcoin nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Bitcoin node when starting. If it is found, Haveno will communicate with the Bitcoin network exclusively through it.
settings.net.warn.useCustomNodes.B2XWarning=لطفا مطمئن شوید که گره بیت‌کوین شما یک گره مورد اعتماد Monero Core است!\n\nمتصل شدن به گره‌هایی که از قوانین مورد اجماع موجود در Monero Core پیروی نمی‌کنند می‌تواند باعث خراب شدن کیف پول شما شود و در فرآیند معامله مشکلاتی را به وجود بیاورد.\n\nکاربرانی که از گره‌های ناقض قوانین مورد اجماع استفاده می‌کند مسئول هر گونه آسیب ایجاد شده هستند. اگر هر گونه اختلافی به وجود بیاید به نفع دیگر گره‌هایی که از قوانین مورد اجماع پیروی می‌کنند درمورد آن تصمیم گیری خواهد شد. به کاربرانی که این هشدار و سازوکار محافظتی را نادیده می‌گیرند هیچ‌گونه پشتیبانی فنی ارائه نخواهد شد!
settings.net.warn.invalidXmrConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=همتایان متصل
settings.net.onionAddressColumn=آدرس Onion
settings.net.creationDateColumn=تثبیت شده
settings.net.connectionTypeColumn=درون/بیرون
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=تاخیر چرخشی
settings.net.sentBytesColumn=ارسال شده
settings.net.receivedBytesColumn=دریافت شده
@ -1058,7 +1058,7 @@ settings.net.needRestart=به منظور اعمال آن تغییر باید ب
settings.net.notKnownYet=هنوز شناخته شده نیست ...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[آدرس آی پی: پورت | نام میزبان: پورت | آدرس Onion : پورت] (جدا شده با ویرگول). اگر از پیش فرض (8333) استفاده می شود، پورت می تواند حذف شود.
settings.net.seedNode=گره ی اصلی
settings.net.directPeer=همتا (مستقیم)
@ -1104,7 +1104,7 @@ setting.about.shortcuts.openDispute.value=Select pending trade and click: {0}
setting.about.shortcuts.walletDetails=Open wallet details window
setting.about.shortcuts.openEmergencyBtcWalletTool=Open emergency wallet tool for BTC wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.showTorLogs=Toggle log level for Tor messages between DEBUG and WARN
@ -1130,7 +1130,7 @@ setting.about.shortcuts.sendPrivateNotification=Send private notification to pee
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1139,7 +1139,7 @@ account.tab.mediatorRegistration=Mediator registration
account.tab.refundAgentRegistration=Refund agent registration
account.tab.signing=Signing
account.info.headline=به حساب Haveno خود خوش آمدید
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Bitcoin wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Bitcoin wallet seed words (see tab on the top) and consider adding a password before funding. Bitcoin deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Bitcoin addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Monero wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Monero wallet seed words (see tab on the top) and consider adding a password before funding. Monero deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Monero addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.menu.paymentAccount=حساب های ارز ملی
account.menu.altCoinsAccountView=حساب های آلت کوین
@ -1150,7 +1150,7 @@ account.menu.backup=پشتیبان
account.menu.notifications=اعلان‌ها
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1207,7 +1207,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Trading L-BTC on Haveno requires that you understand the following:\n\nWhen receiving L-BTC for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-BTC into the Liquid Elements Core wallet, or another L-BTC wallet which allows you to obtain the blinding key for your blinded L-BTC address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-BTC address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-BTC receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-BTC on Haveno.
account.crypto.popup.liquidmonero.msg=Trading L-XMR on Haveno requires that you understand the following:\n\nWhen receiving L-XMR for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-XMR into the Liquid Elements Core wallet, or another L-XMR wallet which allows you to obtain the blinding key for your blinded L-XMR address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-XMR address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-XMR receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-XMR on Haveno.
account.traditional.yourTraditionalAccounts=حساب‌های ارزهای ملی شما
@ -1227,7 +1227,7 @@ account.password.setPw.button=تنظیم رمز
account.password.setPw.headline=تنظیم رمز محافظ برای کیف پول
account.password.info=در صورت فعال بودن حفاظت از رمز عبور، شما باید هنگام راه‌اندازی برنامه، در هنگام برداشت مونرو از کیف پول خود و هنگام نمایش کلمات اصلی نهال خود، رمز عبور خود را وارد کنید.
account.seed.backup.title=پشتیبان گیری از کلمات رمز خصوصی کیف های پول شما
account.seed.info=لطفا هم کلمات seed و هم تاریخ را یادداشت کنید! شما هر زمانی که بخواهید می‌توانید کیف‌پولتان را با استفاده از کلمات seed و تاریخ بازیابی کنید.\nهمین کلمات seed برای کیف‌پول‌های BTC و BSQ هم استفاده می‌شود.\n\nشما باید کلمات seed را روی یک برگ کاغذ یادداشت کنید. آنها را روی کامپیوتر خودتان ذخیره نکنید.\n\nلطفا توجه کنید که کلمات seed جایگزینی برای یک پشتیبان نیستند.\nبرای بازیابی وضعیت و داده‌های برنامه باید از طریق صفحه \"Account/Backup\" از کل پوشه برنامه پشتیبان بسازید.\nوارد کردن کلمات seed فقط در موارد اورژانسی توصیه می‌شود. برنامه بدون پشتیبان از پایگاه داده و کلیدهای مناسب درست عمل نخواهد کرد!
account.seed.info=لطفا هم کلمات seed و هم تاریخ را یادداشت کنید! شما هر زمانی که بخواهید می‌توانید کیف‌پولتان را با استفاده از کلمات seed و تاریخ بازیابی کنید.\nهمین کلمات seed برای کیف‌پول‌های XMR و BSQ هم استفاده می‌شود.\n\nشما باید کلمات seed را روی یک برگ کاغذ یادداشت کنید. آنها را روی کامپیوتر خودتان ذخیره نکنید.\n\nلطفا توجه کنید که کلمات seed جایگزینی برای یک پشتیبان نیستند.\nبرای بازیابی وضعیت و داده‌های برنامه باید از طریق صفحه \"Account/Backup\" از کل پوشه برنامه پشتیبان بسازید.\nوارد کردن کلمات seed فقط در موارد اورژانسی توصیه می‌شود. برنامه بدون پشتیبان از پایگاه داده و کلیدهای مناسب درست عمل نخواهد کرد!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=شما یک رمز عبور کیف پول تنظیم نکرده اید که از نمایش کلمات رمز خصوصی محافظت کند.\n\nآیا می خواهید کلمات رمز خصوصی نشان داده شود؟
account.seed.warn.noPw.yes=بلی، و دوباره از من نپرس
@ -1257,13 +1257,13 @@ account.notifications.trade.label=دریافت پیام‌های معامله
account.notifications.market.label=دریافت هشدارهای مربوط به پیشنهادها
account.notifications.price.label=دریافت هشدارهای مربوط به قیمت
account.notifications.priceAlert.title=هشدارهای قیمت
account.notifications.priceAlert.high.label=با خبر کردن در صورتی که قیمت BTC بالاتر باشد
account.notifications.priceAlert.low.label=با خبر کردن در صورتی که قیمت BTC پایین‌تر باشد
account.notifications.priceAlert.high.label=با خبر کردن در صورتی که قیمت XMR بالاتر باشد
account.notifications.priceAlert.low.label=با خبر کردن در صورتی که قیمت XMR پایین‌تر باشد
account.notifications.priceAlert.setButton=تنظیم هشدار قیمت
account.notifications.priceAlert.removeButton=حذف هشدار قیمت
account.notifications.trade.message.title=تغییر وضعیت معامله
account.notifications.trade.message.msg.conf=تراکنش سپرده برای معامله با شناسه {0} تایید شده است. لطفا برنامه Haveno خود را بازکنید و پرداخت را شروع کنید.
account.notifications.trade.message.msg.started=خریدار BTC پرداخت با شناسه {0} را آغاز کرده است.
account.notifications.trade.message.msg.started=خریدار XMR پرداخت با شناسه {0} را آغاز کرده است.
account.notifications.trade.message.msg.completed=معامله با شناسه {0} انجام شد.
account.notifications.offer.message.title=پیشنهاد شما پذیرفته شد
account.notifications.offer.message.msg=پیشنهاد شما با شناسه {0} پذیرفته شد
@ -1273,10 +1273,10 @@ account.notifications.dispute.message.msg=شما یک پیغام مرتبط با
account.notifications.marketAlert.title=هشدارهای مربوط به پیشنهادها
account.notifications.marketAlert.selectPaymentAccount=پیشنهادهای مرتبط با حساب پرداخت
account.notifications.marketAlert.offerType.label=نوع پیشنهادهایی که من به آنها علاقمندم
account.notifications.marketAlert.offerType.buy=پیشنهادهای خرید (می‌خواهم BTC بفروشم)
account.notifications.marketAlert.offerType.sell=پیشنهادهای فروش (می‌خواهم BTC بخرم)
account.notifications.marketAlert.offerType.buy=پیشنهادهای خرید (می‌خواهم XMR بفروشم)
account.notifications.marketAlert.offerType.sell=پیشنهادهای فروش (می‌خواهم XMR بخرم)
account.notifications.marketAlert.trigger=فاصله قیمتی پیشنهاد (%)
account.notifications.marketAlert.trigger.info=با تنظیم یک فاصله قیمتی، تنها در صورتی هشدار دریافت می‌کنید که پیشنهادی با پیشنیازهای شما (یا بهتر از آن) منتشر بشود. برای مثال: شما می‌خواهید BTC بفروشید، ولی می‌خواهید با 2% حق صراف نسبت به قیمت بازار آن را بفروشید. تنظیم این فیلد روی 2% به شما این اطمینان را می‌دهد که تنها بابت پیشنهادهایی هشدار دریافت کنید که حداقل 2% (یا بیشتر) بالای قیمت فعلی بازار هستند.
account.notifications.marketAlert.trigger.info=با تنظیم یک فاصله قیمتی، تنها در صورتی هشدار دریافت می‌کنید که پیشنهادی با پیشنیازهای شما (یا بهتر از آن) منتشر بشود. برای مثال: شما می‌خواهید XMR بفروشید، ولی می‌خواهید با 2% حق صراف نسبت به قیمت بازار آن را بفروشید. تنظیم این فیلد روی 2% به شما این اطمینان را می‌دهد که تنها بابت پیشنهادهایی هشدار دریافت کنید که حداقل 2% (یا بیشتر) بالای قیمت فعلی بازار هستند.
account.notifications.marketAlert.trigger.prompt=درصد فاصله از قیمت بازار (برای مثال 2.50%, -0.50%)
account.notifications.marketAlert.addButton=اضافه کردن هشدار برای پیشنهادها
account.notifications.marketAlert.manageAlertsButton=مدیریت هشدارهای مربوط به پیشنهادها
@ -1303,10 +1303,10 @@ inputControlWindow.balanceLabel=موجودی در دسترس
contractWindow.title=جزئیات مناقشه
contractWindow.dates=تاریخ پیشنهاد / تاریخ معامله
contractWindow.btcAddresses=آدرس بیت‌کوین خریدار BTC / فروشنده BTC
contractWindow.onions=آدرس شبکه خریدار BTC / فروشنده BTC
contractWindow.accountAge=Account age BTC buyer / BTC seller
contractWindow.numDisputes=تعداد اختلافات خریدار BTC / فروشنده BTC
contractWindow.xmrAddresses=آدرس بیت‌کوین خریدار XMR / فروشنده XMR
contractWindow.onions=آدرس شبکه خریدار XMR / فروشنده XMR
contractWindow.accountAge=Account age XMR buyer / XMR seller
contractWindow.numDisputes=تعداد اختلافات خریدار XMR / فروشنده XMR
contractWindow.contractHash=هش قرارداد
displayAlertMessageWindow.headline=اطلاعات مهم!
@ -1332,8 +1332,8 @@ disputeSummaryWindow.title=خلاصه
disputeSummaryWindow.openDate=تاریخ ایجاد تیکت
disputeSummaryWindow.role=نقش معامله گر
disputeSummaryWindow.payout=پرداختی مقدار معامله
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} پرداختی مبلغ معامله را دریافت می کند
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} پرداختی مبلغ معامله را دریافت می کند
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=پرداخت سفارشی
disputeSummaryWindow.payoutAmount.buyer=مقدار پرداختی خریدار
disputeSummaryWindow.payoutAmount.seller=مقدار پرداختی فروشنده
@ -1375,7 +1375,7 @@ disputeSummaryWindow.close.button=بستن تیکت
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1425,11 +1425,11 @@ filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addre
filterWindow.disableTradeBelowVersion=Min. version required for trading
filterWindow.add=افزودن فیلتر
filterWindow.remove=حذف فیلتر
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=حداقل مقدار BTC
offerDetailsWindow.minXmrAmount=حداقل مقدار XMR
offerDetailsWindow.min=(حداقل {0})
offerDetailsWindow.distance=(فاصله از قیمت روز بازار: {0})
offerDetailsWindow.myTradingAccount=حساب معاملاتی من
@ -1494,7 +1494,7 @@ tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1504,7 +1504,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=وارد کردن رمز عبور به منظور باز کردن
@ -1530,12 +1530,12 @@ torNetworkSettingWindow.bridges.header=آیا Tor مسدود شده است؟
torNetworkSettingWindow.bridges.info=اگر Tor توسط ارائه دهنده اینترنت شما یا توسط کشور شما مسدود شده است، شما می توانید از پل های Tor استفاده کنید.\nاز صفحه وب Tor در https://bridges.torproject.org/bridges دیدن کنید تا مطالب بیشتری در مورد پل ها و نقل و انتقالات قابل اتصال یاد بگیرید.
feeOptionWindow.headline=انتخاب ارز برای پرداخت هزینه معامله
feeOptionWindow.info=شما می توانید انتخاب کنید که هزینه معامله را در BSQ یا در BTC بپردازید. اگر BSQ را انتخاب می کنید، از تخفیف هزینه معامله برخوردار می شوید.
feeOptionWindow.info=شما می توانید انتخاب کنید که هزینه معامله را در BSQ یا در XMR بپردازید. اگر BSQ را انتخاب می کنید، از تخفیف هزینه معامله برخوردار می شوید.
feeOptionWindow.optionsLabel=انتخاب ارز برای پرداخت کارمزد معامله
feeOptionWindow.useBTC=استفاده از BTC
feeOptionWindow.useXMR=استفاده از XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1577,9 +1577,9 @@ popup.warning.noTradingAccountSetup.msg=قبل از اینکه بتوانید ی
popup.warning.noArbitratorsAvailable=هیچ داوری در دسترس نیست.
popup.warning.noMediatorsAvailable=There are no mediators available.
popup.warning.notFullyConnected=شما باید منتظر بمانید تا به طور کامل به شبکه متصل شوید. \nاین ممکن است در هنگام راه اندازی حدود 2 دقیقه طول بکشد.
popup.warning.notSufficientConnectionsToBtcNetwork=شما باید منتظر بمانید تا حداقل {0} اتصال به شبکه بیتکوین داشته باشید.
popup.warning.notSufficientConnectionsToXmrNetwork=شما باید منتظر بمانید تا حداقل {0} اتصال به شبکه بیتکوین داشته باشید.
popup.warning.downloadNotComplete=شما باید منتظر بمانید تا بارگیری بلاک های بیتکوین باقیمانده کامل شود.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=آیا شما مطمئن هستید که می خواهید این پیشنهاد را حذف کنید؟
popup.warning.tooLargePercentageValue=شما نمیتوانید درصد 100٪ یا بیشتر را تنظیم کنید.
popup.warning.examplePercentageValue=لطفا یک عدد درصد مانند \"5.4\" برای 5.4% وارد کنید
@ -1599,13 +1599,13 @@ popup.warning.priceRelay=رله قیمت
popup.warning.seed=دانه
popup.warning.mandatoryUpdate.trading=Please update to the latest Haveno version. A mandatory update was released which disables trading for old versions. Please check out the Haveno Forum for more information.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. Please wait until the mining fees are low again or until you''ve accumulated more BTC to transfer.
popup.warning.burnXMR=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. Please wait until the mining fees are low again or until you''ve accumulated more XMR to transfer.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Bitcoin network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Monero network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected.tradeFee=trade fee
popup.warning.trade.txRejected.deposit=deposit
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=The maker fee transaction for offer with ID {0} is invalid.\nTransaction ID={1}.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
@ -1673,9 +1673,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Failed to sign
notification.trade.headline=اعلان برای معامله با شناسه {0}
notification.ticket.headline=تیکت پشتیبانی برای معامله با شناسه {0}
notification.trade.completed=معامله اکنون کامل شده است و می توانید وجوه خود را برداشت کنید.
notification.trade.accepted=پیشنهاد شما توسط BTC {0} پذیرفته شده است.
notification.trade.accepted=پیشنهاد شما توسط XMR {0} پذیرفته شده است.
notification.trade.unlocked=معامله شما دارای حداقل یک تایید بلاک چین است.\n شما اکنون می توانید پرداخت را شروع کنید.
notification.trade.paymentSent=خریدار BTC پرداخت را آغاز کرده است.
notification.trade.paymentSent=خریدار XMR پرداخت را آغاز کرده است.
notification.trade.selectTrade=انتخاب معامله
notification.trade.peerOpenedDispute=همتای معامله شما یک {0} را باز کرده است.
notification.trade.disputeClosed={0} بسته شده است.
@ -1694,7 +1694,7 @@ systemTray.show=نمایش پنجره ی برنامه
systemTray.hide=مخفی کردن پنجره ی برنامه
systemTray.info=اطلاعات درباره ی Haveno 
systemTray.exit=خروج
systemTray.tooltip=Haveno: A decentralized bitcoin exchange network
systemTray.tooltip=Haveno: A decentralized monero exchange network
####################################################################
@ -1850,7 +1850,7 @@ seed.date=تاریخ کیف‌پول
seed.restore.title=بازگرداندن کیف های پول از کلمات رمز خصوصی
seed.restore=بازگرداندن کیف های پول
seed.creationDate=تاریخ ایجاد
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=میخواهم به هر حال بازگردانی کنم
seed.warn.walletNotEmpty.emptyWallet=من ابتدا کیف پول هایم را خالی می کنم
seed.warn.notEncryptedAnymore=کیف های پول شما رمزگذاری شده اند. \n\nپس از بازگرداندن، کیف های پول دیگر رمزگذاری نخواهند شد و شما باید رمز عبور جدید را تنظیم کنید.\n\n آیا می خواهید ادامه دهید؟
@ -1941,12 +1941,12 @@ payment.checking=بررسی
payment.savings=اندوخته ها
payment.personalId=شناسه شخصی
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=زمانی که از HalCash استفاده می‌کنید، خریدار باید کد HalCash را از طریق پیام کوتاه موبایل به فروشنده BTC ارسال کند.\n\nلطفا مطمئن شوید که از حداکثر میزانی که بانک شما برای انتقال از طریق HalCash مجاز می‌داند تجاوز نکرده‌اید. حداقل مقداردر هر برداشت معادل 10 یورو و حداکثر مقدار 600 یورو می‌باشد. این محدودیت برای برداشت‌های تکراری برای هر گیرنده در روز 3000 یورو و در ماه 6000 یورو می‌باشد. لطفا این محدودیت‌ها را با بانک خود مطابقت دهید و مطمئن شوید که آنها هم همین محدودی‌ها را دارند.\n\nمقدار برداشت باید شریبی از 10 یورو باشد چرا که مقادیر غیر از این را نمی‌توانید از طریق ATM برداشت کنید. رابط کاربری در صفحه ساخت پینشهاد و پذیرش پیشنهاد مقدار BTC را به گونه‌ای تنظیم می‌کنند که مقدار EUR درست باشد. شما نمی‌توانید از قیمت بر مبنای بازار استفاده کنید چون مقدار یورو با تغییر قیمت‌ها عوض خواهد شد.\n\nدر صورت بروز اختلاف خریدار BTC باید شواهد مربوط به ارسال یورو را ارائه دهد.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=زمانی که از HalCash استفاده می‌کنید، خریدار باید کد HalCash را از طریق پیام کوتاه موبایل به فروشنده XMR ارسال کند.\n\nلطفا مطمئن شوید که از حداکثر میزانی که بانک شما برای انتقال از طریق HalCash مجاز می‌داند تجاوز نکرده‌اید. حداقل مقداردر هر برداشت معادل 10 یورو و حداکثر مقدار 600 یورو می‌باشد. این محدودیت برای برداشت‌های تکراری برای هر گیرنده در روز 3000 یورو و در ماه 6000 یورو می‌باشد. لطفا این محدودیت‌ها را با بانک خود مطابقت دهید و مطمئن شوید که آنها هم همین محدودی‌ها را دارند.\n\nمقدار برداشت باید شریبی از 10 یورو باشد چرا که مقادیر غیر از این را نمی‌توانید از طریق ATM برداشت کنید. رابط کاربری در صفحه ساخت پینشهاد و پذیرش پیشنهاد مقدار XMR را به گونه‌ای تنظیم می‌کنند که مقدار EUR درست باشد. شما نمی‌توانید از قیمت بر مبنای بازار استفاده کنید چون مقدار یورو با تغییر قیمت‌ها عوض خواهد شد.\n\nدر صورت بروز اختلاف خریدار XMR باید شواهد مربوط به ارسال یورو را ارائه دهد.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1962,7 +1962,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=اطلاعات تماس
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1973,7 +1973,7 @@ payment.f2f.city.prompt=نام شهر به همراه پیشنهاد نمایش
payment.shared.optionalExtra=اطلاعات اضافی اختیاری
payment.shared.extraInfo=اطلاعات اضافی
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=باز کردن صفحه وب
payment.f2f.offerbook.tooltip.countryAndCity=Country and city: {0} / {1}
payment.f2f.offerbook.tooltip.extra=اطلاعات اضافی: {0}
@ -1985,7 +1985,7 @@ payment.japan.recipient=نام
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2143,7 +2143,7 @@ validation.zero=ورودی 0 مجاز نیست.
validation.negative=یک مقدار منفی مجاز نیست.
validation.traditional.tooSmall=ورودی کوچکتر از حداقل مقدار ممکن مجاز نیست.
validation.traditional.tooLarge=ورودی بزرگتر از حداکثر مقدار ممکن مجاز نیست.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=ورودی بزرگتر از {0} مجاز نیست.
validation.xmr.tooSmall=ورودی کوچکتر از {0} مجاز نیست.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2153,10 +2153,10 @@ validation.sortCodeChars={0} باید شامل {1} کاراکتر باشد.
validation.bankIdNumber={0} باید شامل {1} عدد باشد.
validation.accountNr=عدد حساب باید متشکل از {0} عدد باشد.
validation.accountNrChars=عدد حساب باید متشکل از {0} کاراکتر باشد.
validation.btc.invalidAddress=آدرس درست نیست. لطفا فرمت آدرس را بررسی کنید
validation.xmr.invalidAddress=آدرس درست نیست. لطفا فرمت آدرس را بررسی کنید
validation.integerOnly=لطفا فقط اعداد صحیح را وارد کنید.
validation.inputError=ورودی شما یک خطا ایجاد کرد: {0}
validation.btc.exceedsMaxTradeLimit=حدمعامله شما {0} است.
validation.xmr.exceedsMaxTradeLimit=حدمعامله شما {0} است.
validation.nationalAccountId={0} باید شامل {1} عدد باشد.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Je comprends
shared.na=N/A
shared.shutDown=Éteindre
shared.reportBug=Signaler le bug sur Github
shared.buyBitcoin=Achat Bitcoin
shared.sellBitcoin=Vendre des Bitcoins
shared.buyMonero=Achat Monero
shared.sellMonero=Vendre des Moneros
shared.buyCurrency=Achat {0}
shared.sellCurrency=Vendre {0}
shared.buyingBTCWith=achat BTC avec {0}
shared.sellingBTCFor=vendre BTC pour {0}
shared.buyingCurrency=achat {0} (vente BTC)
shared.sellingCurrency=vente {0} (achat BTC)
shared.buyingXMRWith=achat XMR avec {0}
shared.sellingXMRFor=vendre XMR pour {0}
shared.buyingCurrency=achat {0} (vente XMR)
shared.sellingCurrency=vente {0} (achat XMR)
shared.buy=acheter
shared.sell=vendre
shared.buying=achat
@ -93,7 +93,7 @@ shared.amountMinMax=Montant (min-max)
shared.amountHelp=Si un ordre comporte un montant minimum et un montant maximum, alors vous pouvez échanger n'importe quel montant dans cette fourchette.
shared.remove=Enlever
shared.goTo=Aller à {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Retirer l'ordre
shared.dontRemoveOffer=Ne pas retirer l'ordre
shared.editOffer=Éditer l'ordre
@ -105,14 +105,14 @@ shared.nextStep=Étape suivante
shared.selectTradingAccount=Sélectionner le compte de trading
shared.fundFromSavingsWalletButton=Transférer des fonds depuis le portefeuille Haveno
shared.fundFromExternalWalletButton=Ouvrez votre portefeuille externe pour provisionner
shared.openDefaultWalletFailed=L'ouverture de l'application de portefeuille Bitcoin par défaut a échoué. Êtes-vous sûr de l'avoir installée?
shared.openDefaultWalletFailed=L'ouverture de l'application de portefeuille Monero par défaut a échoué. Êtes-vous sûr de l'avoir installée?
shared.belowInPercent=% sous le prix du marché
shared.aboveInPercent=% au-dessus du prix du marché
shared.enterPercentageValue=Entrez la valeur en %
shared.OR=OU
shared.notEnoughFunds=Il n'y a pas suffisamment de fonds dans votre portefeuille Haveno pour payer cette transaction. La transaction a besoin de {0} Votre solde disponible est de {1}. \n\nVeuillez ajouter des fonds à partir d'un portefeuille Bitcoin externe ou recharger votre portefeuille Haveno dans «Fonds / Dépôts > Recevoir des Fonds».
shared.notEnoughFunds=Il n'y a pas suffisamment de fonds dans votre portefeuille Haveno pour payer cette transaction. La transaction a besoin de {0} Votre solde disponible est de {1}. \n\nVeuillez ajouter des fonds à partir d'un portefeuille Monero externe ou recharger votre portefeuille Haveno dans «Fonds / Dépôts > Recevoir des Fonds».
shared.waitingForFunds=En attente des fonds...
shared.TheBTCBuyer=L'acheteur de BTC
shared.TheXMRBuyer=L'acheteur de XMR
shared.You=Vous
shared.sendingConfirmation=Envoi de la confirmation...
shared.sendingConfirmationAgain=Veuillez envoyer de nouveau la confirmation
@ -125,7 +125,7 @@ shared.notUsedYet=Pas encore utilisé
shared.date=Date
shared.sendFundsDetailsWithFee=Envoi: {0}\nDepuis l'adresse: {1}\nVers l'adresse de réception: {2}\nLes frais de minage requis sont : {3} ({4} satoshis/byte)\nVsize de la transaction: {5} vKb\n\nLe destinataire recevra: {6}\n\nÊtes-vous certain de vouloir retirer ce montant?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno détecte que la transaction produira une sortie inférieure au seuil de fraction minimum (non autorisé par les règles de consensus Bitcoin). Au lieu de cela, ces fractions ({0} satoshi {1}) seront ajoutées aux frais de traitement minier.\n\n\n
shared.sendFundsDetailsDust=Haveno détecte que la transaction produira une sortie inférieure au seuil de fraction minimum (non autorisé par les règles de consensus Monero). Au lieu de cela, ces fractions ({0} satoshi {1}) seront ajoutées aux frais de traitement minier.\n\n\n
shared.copyToClipboard=Copier dans le presse-papiers
shared.language=Langue
shared.country=Pays
@ -169,7 +169,7 @@ shared.payoutTxId=ID du versement de la transaction
shared.contractAsJson=Contrat au format JSON
shared.viewContractAsJson=Voir le contrat en format JSON
shared.contract.title=Contrat pour la transaction avec l''ID : {0}
shared.paymentDetails=BTC {0} détails du paiement
shared.paymentDetails=XMR {0} détails du paiement
shared.securityDeposit=Dépôt de garantie
shared.yourSecurityDeposit=Votre dépôt de garantie
shared.contract=Contrat
@ -179,7 +179,7 @@ shared.messageSendingFailed=Échec de l''envoi du message. Erreur: {0}
shared.unlock=Déverrouiller
shared.toReceive=à recevoir
shared.toSpend=à dépenser
shared.btcAmount=Montant en BTC
shared.xmrAmount=Montant en XMR
shared.yourLanguage=Vos langues
shared.addLanguage=Ajouter une langue
shared.total=Total
@ -226,8 +226,8 @@ shared.enabled=Activé
####################################################################
mainView.menu.market=Marché
mainView.menu.buyBtc=Achat BTC
mainView.menu.sellBtc=Vendre des BTC
mainView.menu.buyXmr=Achat XMR
mainView.menu.sellXmr=Vendre des XMR
mainView.menu.portfolio=Portfolio
mainView.menu.funds=Fonds
mainView.menu.support=Assistance
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Réservé
mainView.balance.pending.short=Vérouillé
mainView.footer.usingTor=(à travers Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Taux des frais: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connexion au réseau Bitcoin en cours
mainView.footer.xmrFeeRate=/ Taux des frais: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connexion au réseau Monero en cours
mainView.footer.xmrInfo.synchronizingWith=Synchronisation avec {0} au block: {1}/ {2}
mainView.footer.xmrInfo.synchronizedWith=Synchronisé avec {0} au block {1}
mainView.footer.xmrInfo.connectingTo=Se connecte à
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=L'initialisation du réseau H
mainView.p2pNetworkWarnMsg.noNodesAvailable=Il n'y a pas de noeud de seed ou de persisted pairs disponibles pour demander des données.\nVeuillez vérifier votre connexion Internet ou essayer de redémarrer l'application.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=La connexion au réseau Haveno a échoué (erreur signalé: {0}).\nVeuillez vérifier votre connexion internet ou essayez de redémarrer l'application.
mainView.walletServiceErrorMsg.timeout=La connexion au réseau Bitcoin a échoué car le délai d'attente a expiré.
mainView.walletServiceErrorMsg.connectionError=La connexion au réseau Bitcoin a échoué à cause d''une erreur: {0}
mainView.walletServiceErrorMsg.timeout=La connexion au réseau Monero a échoué car le délai d'attente a expiré.
mainView.walletServiceErrorMsg.connectionError=La connexion au réseau Monero a échoué à cause d''une erreur: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Le réseau a rejeté une transaction.\n\n{0}
mainView.networkWarning.allConnectionsLost=Vous avez perdu la connexion avec tous les {0} pairs du réseau.\nVous avez peut-être perdu votre connexion Internet ou votre ordinateur était passé en mode veille.
mainView.networkWarning.localhostBitcoinLost=Vous avez perdu la connexion avec le localhost Bitcoin node.\nVeuillez redémarrer l'application Haveno pour vous connecter à d'autres Bitcoin nodes ou redémarrer le localhost Bitcoin node.
mainView.networkWarning.localhostMoneroLost=Vous avez perdu la connexion avec le localhost Monero node.\nVeuillez redémarrer l'application Haveno pour vous connecter à d'autres Monero nodes ou redémarrer le localhost Monero node.
mainView.version.update=(Mise à jour disponible)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Achat {0}
market.offerBook.sellWithTraditional=Vente {0}
market.offerBook.sellOffersHeaderLabel=Vendre des {0} à
market.offerBook.buyOffersHeaderLabel=Acheter des {0} à
market.offerBook.buy=Je veux acheter des Bitcoins
market.offerBook.sell=Je veux vendre des Bitcoins
market.offerBook.buy=Je veux acheter des Moneros
market.offerBook.sell=Je veux vendre des Moneros
# SpreadView
market.spread.numberOfOffersColumn=Tout les ordres ({0})
market.spread.numberOfBuyOffersColumn=Achat BTC ({0})
market.spread.numberOfSellOffersColumn=Vente BTC ({0})
market.spread.totalAmountColumn=Total BTC ({0})
market.spread.numberOfBuyOffersColumn=Achat XMR ({0})
market.spread.numberOfSellOffersColumn=Vente XMR ({0})
market.spread.totalAmountColumn=Total XMR ({0})
market.spread.spreadColumn=Écart
market.spread.expanded=Vue étendue
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Les comptes pour crypto ne supportent pas la signatu
offerbook.nrOffers=Nombre d''ordres: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Déposer BTC (%)
offerbook.deposit=Déposer XMR (%)
offerbook.deposit.help=Les deux parties à la transaction ont payé un dépôt pour assurer que la transaction se déroule normalement. Ce montant sera remboursé une fois la transaction terminée.
offerbook.createOfferToBuy=Créer un nouvel ordre d''achat pour {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=Le montant a été arrondi pour accroître la c
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Entrer le montant en BTC
createOffer.amount.prompt=Entrer le montant en XMR
createOffer.price.prompt=Entrer le prix
createOffer.volume.prompt=Entrer le montant en {0}
createOffer.amountPriceBox.amountDescription=Somme en Bitcoin à {0}
createOffer.amountPriceBox.amountDescription=Somme en Monero à {0}
createOffer.amountPriceBox.buy.volumeDescription=Somme en {0} à envoyer
createOffer.amountPriceBox.sell.volumeDescription=Montant en {0} à recevoir
createOffer.amountPriceBox.minAmountDescription=Montant minimum de BTC
createOffer.amountPriceBox.minAmountDescription=Montant minimum de XMR
createOffer.securityDeposit.prompt=Dépôt de garantie
createOffer.fundsBox.title=Financer votre ordre
createOffer.fundsBox.offerFee=Frais de transaction
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Vous recevrez toujours {0}% de plus que le
createOffer.info.buyBelowMarketPrice=Vous paierez toujours {0}% de moins que le prix actuel du marché car prix de votre ordre sera continuellement mis à jour.
createOffer.warning.sellBelowMarketPrice=Vous obtiendrez toujours {0}% de moins que le prix actuel du marché car le prix de votre ordre sera continuellement mis à jour.
createOffer.warning.buyAboveMarketPrice=Vous paierez toujours {0}% de plus que le prix actuel du marché car le prix de votre ordre sera continuellement mis à jour.
createOffer.tradeFee.descriptionBTCOnly=Frais de transaction
createOffer.tradeFee.descriptionXMROnly=Frais de transaction
createOffer.tradeFee.descriptionBSQEnabled=Choisir la devise des frais de transaction
createOffer.triggerPrice.prompt=Réglez le prix de déclenchement, optionnel
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Le minimum de dépôt de garantie de l'achete
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Entrez le montant en BTC
takeOffer.amountPriceBox.buy.amountDescription=Montant en BTC à vendre
takeOffer.amountPriceBox.sell.amountDescription=Montant de BTC à acheter
takeOffer.amountPriceBox.priceDescription=Prix par Bitcoin en {0}
takeOffer.amount.prompt=Entrez le montant en XMR
takeOffer.amountPriceBox.buy.amountDescription=Montant en XMR à vendre
takeOffer.amountPriceBox.sell.amountDescription=Montant de XMR à acheter
takeOffer.amountPriceBox.priceDescription=Prix par Monero en {0}
takeOffer.amountPriceBox.amountRangeDescription=Fourchette du montant possible
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=Le montant que vous avez saisi dépasse le nombre maximum de décimales autorisées.\nLe montant a été défini à 4 décimales près.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=Le montant que vous avez saisi dépasse le nombre maximum de décimales autorisées.\nLe montant a été défini à 4 décimales près.
takeOffer.validation.amountSmallerThanMinAmount=Le montant ne peut pas être plus petit que le montant minimum défini dans l'ordre.
takeOffer.validation.amountLargerThanOfferAmount=La saisie ne peut pas être plus grande que le montant défini dans l'ordre.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=La somme saisie va créer des dusts résultantes de la transaction pour le vendeur de BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=La somme saisie va créer des dusts résultantes de la transaction pour le vendeur de XMR.
takeOffer.fundsBox.title=Provisionner votre trade
takeOffer.fundsBox.isOfferAvailable=Vérifiez si l'ordre est disponible...
takeOffer.fundsBox.tradeAmount=Montant à vendre
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=La transaction de dépôt n'est toujours
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Votre trade a atteint au moins une confirmation de la part de la blockchain.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: Quand vous effectuez le paiement, laissez le champ \"raison du paiement\" vide. NE METTEZ PAS l'ID du trade ou n'importe quel autre texte, par exemple 'bitcoin', 'BTC' ou 'Haveno'. Vous êtez autorisés à discuter via le chat des trader si un autre \"raison du paiement\" est préférable pour vous deux.
portfolio.pending.step2_buyer.refTextWarn=Important: Quand vous effectuez le paiement, laissez le champ \"raison du paiement\" vide. NE METTEZ PAS l'ID du trade ou n'importe quel autre texte, par exemple 'monero', 'XMR' ou 'Haveno'. Vous êtez autorisés à discuter via le chat des trader si un autre \"raison du paiement\" est préférable pour vous deux.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=Si votre banque vous facture des frais pour effectuer le transfert, vous êtes responsable de payer ces frais.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Veuillez transférer à partir de votre portefeuille externe {0}.\n{1} au vendeur de BTC.\n\n\n
portfolio.pending.step2_buyer.crypto=Veuillez transférer à partir de votre portefeuille externe {0}.\n{1} au vendeur de XMR.\n\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Veuillez vous rendre dans une banque et payer {0} au vendeur de BTC.\n
portfolio.pending.step2_buyer.cash.extra=CONDITIONS REQUISES: \nAprès avoir effectué le paiement veuillez écrire sur le reçu papier : PAS DE REMBOURSEMENT.\nPuis déchirer le en 2, prenez en une photo et envoyer le à l'adresse email du vendeur de BTC.
portfolio.pending.step2_buyer.cash=Veuillez vous rendre dans une banque et payer {0} au vendeur de XMR.\n
portfolio.pending.step2_buyer.cash.extra=CONDITIONS REQUISES: \nAprès avoir effectué le paiement veuillez écrire sur le reçu papier : PAS DE REMBOURSEMENT.\nPuis déchirer le en 2, prenez en une photo et envoyer le à l'adresse email du vendeur de XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Veuillez s''il vous plaît payer {0} au vendeur de BTC en utilisant MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=CONDITIONS REQUISES:\nAprès avoir effectué le paiement envoyez le numéro d''autorisation et une photo du reçu par e-mail au vendeur de BTC.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.
portfolio.pending.step2_buyer.moneyGram=Veuillez s''il vous plaît payer {0} au vendeur de XMR en utilisant MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=CONDITIONS REQUISES:\nAprès avoir effectué le paiement envoyez le numéro d''autorisation et une photo du reçu par e-mail au vendeur de XMR.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Veuillez s''il vous plaît payer {0} au vendeur de BTC en utilisant Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=CONDITIONS REQUISES:\nAprès avoir effectué le paiement envoyez le MTCN (numéro de suivi) et une photo du reçu par e-mail au vendeur de BTC.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.
portfolio.pending.step2_buyer.westernUnion=Veuillez s''il vous plaît payer {0} au vendeur de XMR en utilisant Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=CONDITIONS REQUISES:\nAprès avoir effectué le paiement envoyez le MTCN (numéro de suivi) et une photo du reçu par e-mail au vendeur de XMR.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Merci d''envoyer {0} par \"US Postal Money Order\" au vendeur de BTC.\n\n
portfolio.pending.step2_buyer.postal=Merci d''envoyer {0} par \"US Postal Money Order\" au vendeur de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Veuillez envoyer {0} en utlisant \"Pay by Mail\" au vendeur de BTC. Les instructions spécifiques sont dans le contrat de trade, ou si ce n'est pas clair, vous pouvez poser des questions via le chat des trader. Pour plus de détails sur Pay by Mail, allez sur le wiki Haveno \n[LIEN:https://haveno.exchange/wiki/Cash_by_Mail]\n
portfolio.pending.step2_buyer.payByMail=Veuillez envoyer {0} en utlisant \"Pay by Mail\" au vendeur de XMR. Les instructions spécifiques sont dans le contrat de trade, ou si ce n'est pas clair, vous pouvez poser des questions via le chat des trader. Pour plus de détails sur Pay by Mail, allez sur le wiki Haveno \n[LIEN:https://haveno.exchange/wiki/Cash_by_Mail]\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Veuillez payer {0} via la méthode de paiement spécifiée par le vendeur de BTC. Vous trouverez les informations du compte du vendeur à l'écran suivant.\n\n
portfolio.pending.step2_buyer.pay=Veuillez payer {0} via la méthode de paiement spécifiée par le vendeur de XMR. Vous trouverez les informations du compte du vendeur à l'écran suivant.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Veuillez s''il vous plaît contacter le vendeur de BTC via le contact fourni, et planifiez un rendez-vous pour effectuer le paiement {0}.\n\n
portfolio.pending.step2_buyer.f2f=Veuillez s''il vous plaît contacter le vendeur de XMR via le contact fourni, et planifiez un rendez-vous pour effectuer le paiement {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Initier le paiement en utilisant {0}
portfolio.pending.step2_buyer.recipientsAccountData=Destinataires {0}
portfolio.pending.step2_buyer.amountToTransfer=Montant à transférer
@ -629,27 +629,27 @@ portfolio.pending.step2_buyer.paymentSent=Paiement initié
portfolio.pending.step2_buyer.fillInBsqWallet=Payer depuis le portefeuille BSQ
portfolio.pending.step2_buyer.warn=Vous n''avez toujours pas effectué votre {0} paiement !\nVeuillez noter que l''échange doit être achevé avant {1}.
portfolio.pending.step2_buyer.openForDispute=Vous n'avez pas effectué votre paiement !\nLe délai maximal alloué pour l'échange est écoulé, veuillez contacter le médiateur pour obtenir de l'aide.
portfolio.pending.step2_buyer.paperReceipt.headline=Avez-vous envoyé le reçu papier au vendeur de BTC?
portfolio.pending.step2_buyer.paperReceipt.headline=Avez-vous envoyé le reçu papier au vendeur de XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Rappelez-vous: \nVous devez écrire sur le reçu papier: PAS DE REMBOURSEMENT.\nEnsuite, veuillez le déchirer en 2, faire une photo et l'envoyer à l'adresse email du vendeur.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Envoyer le numéro d'autorisation ainsi que le reçu
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Vous devez envoyez le numéro d''autorisation et une photo du reçu par email au vendeur de BTC.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état, et le montant. Le mail du vendeur est: {0}.\n\nAvez-vous envoyé le numéro d''autorisation et le contrat au vendeur ?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Vous devez envoyez le numéro d''autorisation et une photo du reçu par email au vendeur de XMR.\nLe reçu doit faire clairement figurer le nom complet du vendeur, son pays, l''état, et le montant. Le mail du vendeur est: {0}.\n\nAvez-vous envoyé le numéro d''autorisation et le contrat au vendeur ?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Envoyer le MTCN et le reçu
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Vous devez envoyez le MTCN (numéro de suivi) et une photo du reçu par email au vendeur de BTC.\nLe reçu doit clairement faire figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.\n\nAvez-vous envoyé le MTCN et le contrat au vendeur ?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Vous devez envoyez le MTCN (numéro de suivi) et une photo du reçu par email au vendeur de XMR.\nLe reçu doit clairement faire figurer le nom complet du vendeur, son pays, l''état et le montant. Le mail du vendeur est: {0}.\n\nAvez-vous envoyé le MTCN et le contrat au vendeur ?
portfolio.pending.step2_buyer.halCashInfo.headline=Envoyer le code HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Vous devez envoyez un message au format texte SMS avec le code HalCash ainsi que l''ID de la transaction ({0}) au vendeur de BTC.\nLe numéro de mobile du vendeur est {1}.\n\nAvez-vous envoyé le code au vendeur ?
portfolio.pending.step2_buyer.halCashInfo.msg=Vous devez envoyez un message au format texte SMS avec le code HalCash ainsi que l''ID de la transaction ({0}) au vendeur de XMR.\nLe numéro de mobile du vendeur est {1}.\n\nAvez-vous envoyé le code au vendeur ?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Certaines banques pourraient vérifier le nom du receveur. Des comptes de paiement plus rapides créés dans des clients Haveno plus anciens ne fournissent pas le nom du receveur, veuillez donc utiliser le chat de trade pour l'obtenir (si nécessaire).
portfolio.pending.step2_buyer.confirmStart.headline=Confirmez que vous avez initié le paiement
portfolio.pending.step2_buyer.confirmStart.msg=Avez-vous initié le {0} paiement auprès de votre partenaire de trading?
portfolio.pending.step2_buyer.confirmStart.yes=Oui, j'ai initié le paiement
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=Vous n'avez pas fourni de preuve de paiement
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Lorsque vous terminez une transaction BTC / XMR, vous pouvez utiliser la fonction de confirmation automatique pour vérifier si le montant correct de XMR a été envoyé à votre portefeuille, afin que Haveno puisse automatiquement marquer la transaction comme terminée et pour que tout le monde puisse aller plus vite. \n\nConfirmez automatiquement que les transactions XMR sont vérifiées sur au moins 2 nœuds d'explorateur de blocs XMR à l'aide de la clé de transaction fournie par l'expéditeur XMR. Par défaut, Haveno utilise un nœud d'explorateur de blocs exécuté par des contributeurs Haveno, mais nous vous recommandons d'exécuter votre propre nœud d'explorateur de blocs XMR pour maximiser la confidentialité et la sécurité. \n\nVous pouvez également définir le nombre maximum de BTC par transaction dans «Paramètres» pour confirmer automatiquement et le nombre de confirmations requises. \n\nPlus de détails sur Haveno Wiki (y compris comment configurer votre propre nœud d'explorateur de blocs): [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=Lorsque vous terminez une transaction XMR / XMR, vous pouvez utiliser la fonction de confirmation automatique pour vérifier si le montant correct de XMR a été envoyé à votre portefeuille, afin que Haveno puisse automatiquement marquer la transaction comme terminée et pour que tout le monde puisse aller plus vite. \n\nConfirmez automatiquement que les transactions XMR sont vérifiées sur au moins 2 nœuds d'explorateur de blocs XMR à l'aide de la clé de transaction fournie par l'expéditeur XMR. Par défaut, Haveno utilise un nœud d'explorateur de blocs exécuté par des contributeurs Haveno, mais nous vous recommandons d'exécuter votre propre nœud d'explorateur de blocs XMR pour maximiser la confidentialité et la sécurité. \n\nVous pouvez également définir le nombre maximum de XMR par transaction dans «Paramètres» pour confirmer automatiquement et le nombre de confirmations requises. \n\nPlus de détails sur Haveno Wiki (y compris comment configurer votre propre nœud d'explorateur de blocs): [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=La sasie n'est pas une valeur hexadécimale de 32 bits
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignorer et continuer tout de même
portfolio.pending.step2_seller.waitPayment.headline=En attende du paiement
portfolio.pending.step2_seller.f2fInfo.headline=Coordonnées de l'acheteur
portfolio.pending.step2_seller.waitPayment.msg=La transaction de dépôt a été vérifiée au moins une fois sur la blockchain\nVous devez attendre que l''acheteur de BTC lance le {0} payment.
portfolio.pending.step2_seller.warn=L''acheteur de BTC n''a toujours pas effectué le paiement {0}.\nVeuillez attendre qu''il effectue celui-ci.\nSi la transaction n''est pas effectuée le {1}, un arbitre enquêtera.
portfolio.pending.step2_seller.openForDispute=L'acheteur de BTC n'a pas initié son paiement !\nLa période maximale autorisée pour ce trade est écoulée.\nVous pouvez attendre plus longtemps et accorder plus de temps à votre pair de trading ou contacter le médiateur pour obtenir de l'aide.
portfolio.pending.step2_seller.waitPayment.msg=La transaction de dépôt a été vérifiée au moins une fois sur la blockchain\nVous devez attendre que l''acheteur de XMR lance le {0} payment.
portfolio.pending.step2_seller.warn=L''acheteur de XMR n''a toujours pas effectué le paiement {0}.\nVeuillez attendre qu''il effectue celui-ci.\nSi la transaction n''est pas effectuée le {1}, un arbitre enquêtera.
portfolio.pending.step2_seller.openForDispute=L'acheteur de XMR n'a pas initié son paiement !\nLa période maximale autorisée pour ce trade est écoulée.\nVous pouvez attendre plus longtemps et accorder plus de temps à votre pair de trading ou contacter le médiateur pour obtenir de l'aide.
tradeChat.chatWindowTitle=Fenêtre de discussion pour la transaction avec l''ID ''{0}''
tradeChat.openChat=Ouvrir une fenêtre de discussion
tradeChat.rules=Vous pouvez communiquer avec votre pair de trading pour résoudre les problèmes potentiels liés à cet échange.\nIl n'est pas obligatoire de répondre sur le chat.\nSi un trader enfreint l'une des règles ci-dessous, ouvrez un litige et signalez-le au médiateur ou à l'arbitre.\n\nRègles sur le chat:\n\t● N'envoyez pas de liens (risque de malware). Vous pouvez envoyer l'ID de transaction et le nom d'un explorateur de blocs.\n\t● N'envoyez pas les mots de votre seed, clés privées, mots de passe ou autre information sensible !\n\t● N'encouragez pas le trading en dehors de Haveno (non sécurisé).\n\t● Ne vous engagez dans aucune forme d'escroquerie d'ingénierie sociale.\n\t● Si un pair ne répond pas et préfère ne pas communiquer par chat, respectez sa décision.\n\t● Limitez la portée de la conversation à l'échange en cours. Ce chat n'est pas une alternative à messenger ou une troll-box.\n\t● Entretenez une conversation amicale et respectueuse.
@ -667,26 +667,26 @@ message.state.ACKNOWLEDGED=Le pair a confirmé la réception du message
# suppress inspection "UnusedProperty"
message.state.FAILED=Echec de l'envoi du message
portfolio.pending.step3_buyer.wait.headline=Attendre la confirmation de paiement du vendeur BTC
portfolio.pending.step3_buyer.wait.info=En attente de la confirmation du vendeur BTC pour la réception du paiement {0}.
portfolio.pending.step3_buyer.wait.headline=Attendre la confirmation de paiement du vendeur XMR
portfolio.pending.step3_buyer.wait.info=En attente de la confirmation du vendeur XMR pour la réception du paiement {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=État du message de lancement du paiement
portfolio.pending.step3_buyer.warn.part1a=sur la {0} blockchain
portfolio.pending.step3_buyer.warn.part1b=chez votre prestataire de paiement (par ex. banque)
portfolio.pending.step3_buyer.warn.part2=Le vendeur de BTC n''a toujours pas confirmé votre paiement. . Veuillez vérifier {0} si l''envoi du paiement a bien fonctionné.
portfolio.pending.step3_buyer.openForDispute=Le vendeur de BTC n'a pas confirmé votre paiement ! Le délai maximal alloué pour ce trade est écoulé. Vous pouvez attendre plus longtemps et accorder plus de temps à votre pair de trading ou contacter le médiateur pour obtenir de l'aide.
portfolio.pending.step3_buyer.warn.part2=Le vendeur de XMR n''a toujours pas confirmé votre paiement. . Veuillez vérifier {0} si l''envoi du paiement a bien fonctionné.
portfolio.pending.step3_buyer.openForDispute=Le vendeur de XMR n'a pas confirmé votre paiement ! Le délai maximal alloué pour ce trade est écoulé. Vous pouvez attendre plus longtemps et accorder plus de temps à votre pair de trading ou contacter le médiateur pour obtenir de l'aide.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Votre partenaire de trading a confirmé qu''il a initié le paiement {0}.\n
portfolio.pending.step3_seller.crypto.explorer=Sur votre explorateur blockchain {0} favori
portfolio.pending.step3_seller.crypto.wallet=Dans votre portefeuille {0}
portfolio.pending.step3_seller.crypto={0}Veuillez s''il vous plaît vérifier {1} que la transaction vers votre adresse de réception\n{2}\ndispose de suffisamment de confirmations sur la blockchain.\nLe montant du paiement doit être {3}\n\nVous pouvez copier & coller votre adresse {4} à partir de l''écran principal après avoir fermé ce popup.
portfolio.pending.step3_seller.postal={0}Veuillez vérifier si vous avez reçu {1} avec \"US Postal Money Order\" de la part de l'acheteur de BTC.
portfolio.pending.step3_seller.postal={0}Veuillez vérifier si vous avez reçu {1} avec \"US Postal Money Order\" de la part de l'acheteur de XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Veuillez vérifier si vous avez reçu {1} avec \"Pay by Mail\" de la part de l'acheteur de BTC
portfolio.pending.step3_seller.payByMail={0}Veuillez vérifier si vous avez reçu {1} avec \"Pay by Mail\" de la part de l'acheteur de XMR
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Votre partenaire de trading a confirmé qu'il a initié le {0} paiement.\n\nVeuillez vous rendre sur votre banque en ligne et vérifier si vous avez reçu {1} de la part de l'acheteur de BTC.
portfolio.pending.step3_seller.cash=Du fait que le paiement est réalisé via Cash Deposit l''acheteur de BTC doit inscrire \"NO REFUND\" sur le reçu papier, le déchirer en 2 et vous envoyer une photo par email.\n\nPour éviter un risque de rétrofacturation, ne confirmez que si vous recevez le mail et que vous êtes sûr que le reçu papier est valide.\nSi vous n''êtes pas sûr, {0}
portfolio.pending.step3_seller.moneyGram=L'acheteur doit vous envoyer le numéro d'autorisation et une photo du reçu par e-mail .\nLe reçu doit faire clairement figurer votre nom complet, votre pays, l'état et le montant. Veuillez s'il vous plaît vérifier que vous avez bien reçu par e-mail le numéro d'autorisation.\n\nAprès avoir fermé ce popup vous verrez le nom de l'acheteur de BTC et l'adresse où retirer l'argent depuis MoneyGram.\n\nN'accusez réception qu'après avoir retiré l'argent avec succès!
portfolio.pending.step3_seller.westernUnion=L'acheteur doit vous envoyer le MTCN (numéro de suivi) et une photo du reçu par e-mail .\nLe reçu doit faire clairement figurer votre nom complet, votre pays, l'état et le montant. Veuillez s'il vous plaît vérifier si vous avez reçu par e-mail le MTCN.\n\nAprès avoir fermé ce popup vous verrez le nom de l'acheteur de BTC et l'adresse où retirer l'argent depuis Western Union.\n\nN'accusez réception qu'après avoir retiré l'argent avec succès!
portfolio.pending.step3_seller.bank=Votre partenaire de trading a confirmé qu'il a initié le {0} paiement.\n\nVeuillez vous rendre sur votre banque en ligne et vérifier si vous avez reçu {1} de la part de l'acheteur de XMR.
portfolio.pending.step3_seller.cash=Du fait que le paiement est réalisé via Cash Deposit l''acheteur de XMR doit inscrire \"NO REFUND\" sur le reçu papier, le déchirer en 2 et vous envoyer une photo par email.\n\nPour éviter un risque de rétrofacturation, ne confirmez que si vous recevez le mail et que vous êtes sûr que le reçu papier est valide.\nSi vous n''êtes pas sûr, {0}
portfolio.pending.step3_seller.moneyGram=L'acheteur doit vous envoyer le numéro d'autorisation et une photo du reçu par e-mail .\nLe reçu doit faire clairement figurer votre nom complet, votre pays, l'état et le montant. Veuillez s'il vous plaît vérifier que vous avez bien reçu par e-mail le numéro d'autorisation.\n\nAprès avoir fermé ce popup vous verrez le nom de l'acheteur de XMR et l'adresse où retirer l'argent depuis MoneyGram.\n\nN'accusez réception qu'après avoir retiré l'argent avec succès!
portfolio.pending.step3_seller.westernUnion=L'acheteur doit vous envoyer le MTCN (numéro de suivi) et une photo du reçu par e-mail .\nLe reçu doit faire clairement figurer votre nom complet, votre pays, l'état et le montant. Veuillez s'il vous plaît vérifier si vous avez reçu par e-mail le MTCN.\n\nAprès avoir fermé ce popup vous verrez le nom de l'acheteur de XMR et l'adresse où retirer l'argent depuis Western Union.\n\nN'accusez réception qu'après avoir retiré l'argent avec succès!
portfolio.pending.step3_seller.halCash=L'acheteur doit vous envoyer le code HalCash par message texte SMS. Par ailleurs, vous recevrez un message de la part d'HalCash avec les informations nécessaires pour retirer les EUR depuis un DAB Bancaire supportant HalCash.\n\nAprès avoir retiré l'argent au DAB, veuillez confirmer ici la réception du paiement !
portfolio.pending.step3_seller.amazonGiftCard=L'acheteur vous a envoyé une e-carte cadeau Amazon via email ou SMS vers votre téléphone. Veuillez récupérer maintenant la carte cadeau sur votre compte Amazon, et une fois activée, confirmez le reçu de paiement.
@ -702,7 +702,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID de la transaction
portfolio.pending.step3_seller.xmrTxKey=Clé de Transaction
portfolio.pending.step3_seller.buyersAccount=Données du compte de l'acheteur
portfolio.pending.step3_seller.confirmReceipt=Confirmer la réception du paiement
portfolio.pending.step3_seller.buyerStartedPayment=L''acheteur BTC a commencé le {0} paiement.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=L''acheteur XMR a commencé le {0} paiement.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Vérifiez la présence de confirmations par la blockchain dans votre portefeuille crypto ou sur un explorateur de blocs et confirmez le paiement lorsque vous aurez suffisamment de confirmations sur la blockchain.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Vérifiez sur votre compte de trading (par ex. compte bancaire) et confirmez quand vous avez reçu le paiement.
portfolio.pending.step3_seller.warn.part1a=sur la {0} blockchain
@ -714,7 +714,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Avez-vous reçu le paieme
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Veuillez également vérifier que le nom de l''expéditeur indiqué sur le contrat de l''échange correspond au nom qui apparaît sur votre relevé bancaire:\nNom de l''expéditeur, avec le contrat de l''échange: {0}\n\nSi les noms ne sont pas exactement identiques, ne confirmez pas la réception du paiement. Au lieu de cela, ouvrez un litige en appuyant sur \"alt + o\" ou \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Veuillez noter que dès que vous aurez confirmé la réception, le montant verrouillé pour l'échange sera remis à l'acheteur de BTC et le dépôt de garantie vous sera remboursé.\n
portfolio.pending.step3_seller.onPaymentReceived.note=Veuillez noter que dès que vous aurez confirmé la réception, le montant verrouillé pour l'échange sera remis à l'acheteur de XMR et le dépôt de garantie vous sera remboursé.\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Confirmez que vous avez bien reçu le paiement
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Oui, j'ai reçu le paiement
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANT : En confirmant la réception du paiement, vous vérifiez également le compte de la contrepartie et le signez en conséquence. Comme le compte de la contrepartie n'a pas encore été signé, vous devriez retarder la confirmation du paiement le plus longtemps possible afin de réduire le risque de rétrofacturation.
@ -724,7 +724,7 @@ portfolio.pending.step5_buyer.tradeFee=Frais de transaction
portfolio.pending.step5_buyer.makersMiningFee=Frais de minage
portfolio.pending.step5_buyer.takersMiningFee=Total des frais de minage
portfolio.pending.step5_buyer.refunded=Dépôt de garantie remboursé
portfolio.pending.step5_buyer.withdrawBTC=Retirer vos Bitcoins
portfolio.pending.step5_buyer.withdrawXMR=Retirer vos Moneros
portfolio.pending.step5_buyer.amount=Montant à retirer
portfolio.pending.step5_buyer.withdrawToAddress=Retirer vers l'adresse
portfolio.pending.step5_buyer.moveToHavenoWallet=Garder les fonds dans le portefeuille Haveno
@ -733,7 +733,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Vos fonds ont déjà été retir
portfolio.pending.step5_buyer.confirmWithdrawal=Confirmer la demande de retrait
portfolio.pending.step5_buyer.amountTooLow=Le montant à transférer est inférieur aux frais de transaction et à la valeur min. possible du tx (dust).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Retrait effectué
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Vos transactions terminées sont stockées sous /"Historique du portefeuille\".\nVous pouvez voir toutes vos transactions en bitcoin dans \"Fonds/Transactions\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Vos transactions terminées sont stockées sous /"Historique du portefeuille\".\nVous pouvez voir toutes vos transactions en monero dans \"Fonds/Transactions\"
portfolio.pending.step5_buyer.bought=Vous avez acheté
portfolio.pending.step5_buyer.paid=Vous avez payé
@ -795,7 +795,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Vous avez déjà accept
portfolio.pending.failedTrade.taker.missingTakerFeeTx=Le frais de transaction du preneur est manquant.\n\nSans ce tx, le trade ne peut être complété. Aucun fonds ont été verrouillés et aucun frais de trade a été payé. Vous pouvez déplacer ce trade vers les trade échoués.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=Le frais de transaction du pair preneur est manquant.\n\nSans ce tx, le trade ne peut être complété. Aucun fonds ont été verrouillés. Votre offre est toujours valable pour les autres traders, vous n'avez donc pas perdu le frais de maker. Vous pouvez déplacer ce trade vers les trades échoués.
portfolio.pending.failedTrade.missingDepositTx=Cette transaction de marge (transaction multi-signature de 2 à 2) est manquante.\n\nSans ce tx, la transaction ne peut pas être complétée. Aucun fonds n'est bloqué, mais vos frais de transaction sont toujours payés. Vous pouvez lancer une demande de compensation des frais de transaction ici: [HYPERLINK:https://github.com/bisq-network/support/issues] \nN'hésitez pas à déplacer la transaction vers la transaction échouée.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=La transaction de paiement différée est manquante, mais les fonds ont été verrouillés dans la transaction de dépôt.\n\nVeuillez NE PAS envoyer de Fiat ou d'crypto au vendeur de BTC, car avec le tx de paiement différé, le jugemenbt ne peut être ouvert. À la place, ouvrez un ticket de médiation avec Cmd/Ctrl+O. Le médiateur devrait suggérer que les deux pair reçoivent tous les deux le montant total de leurs dépôts de sécurité (le vendeur aussi doit reçevoir le montant total du trade). De cette manière, il n'y a pas de risque de non sécurité, et seuls les frais du trade sont perdus.\n\nVous pouvez demander le remboursement des frais de trade perdus ici;\n[LIEN:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=La transaction de paiement différée est manquante, mais les fonds ont été verrouillés dans la transaction de dépôt.\n\nVeuillez NE PAS envoyer de Fiat ou d'crypto au vendeur de XMR, car avec le tx de paiement différé, le jugemenbt ne peut être ouvert. À la place, ouvrez un ticket de médiation avec Cmd/Ctrl+O. Le médiateur devrait suggérer que les deux pair reçoivent tous les deux le montant total de leurs dépôts de sécurité (le vendeur aussi doit reçevoir le montant total du trade). De cette manière, il n'y a pas de risque de non sécurité, et seuls les frais du trade sont perdus.\n\nVous pouvez demander le remboursement des frais de trade perdus ici;\n[LIEN:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=La transaction de paiement différée est manquante, mais les fonds ont été verrouillés dans la transaction de dépôt.\n\nSi l'acheteur n'a pas non plus la transaction de paiement différée, il sera informé du fait de ne PAS envoyer le paiement et d'ouvrir un ticket de médiation à la place. Vous devriez aussi ouvrir un ticket de médiation avec Cmd/Ctrl+o.\n\nSi l'acheteur n'a pas encore envoyé le paiement, le médiateur devrait suggérer que les deux pairs reçoivent le montant total de leurs dépôts de sécurité (le vendeur doit aussi reçevoir le montant total du trade). Sinon, le montant du trade revient à l'acheteur.\n\nVous pouvez effectuer une demande de remboursement pour les frais de trade perdus ici: [LIEN:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=Il y'a eu une erreur durant l'exécution du protocole de trade.\n\nErreur: {0}\n\nIl est possible que cette erreur ne soit pas critique, et que le trade puisse être complété normalement. Si vous n'en êtes pas sûr, ouvrez un ticket de médiation pour avoir des conseils de la part des médiateurs de Haveno.\n\nSi cette erreur est critique et que le trade ne peut être complété, il est possible que vous ayez perdu le frais du trade. Effectuez une demande de remboursement ici: [LIEN:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=Le contrat de trade n'est pas complété.\n\nCe trade ne peut être complété et il est possible que vous ayiez perdu votre frais de trade. Dans ce cas, vous pouvez demander un remboursement des frais de trade perdus ici: [LIEN:https://github.com/bisq-network/support/issues]
@ -834,7 +834,7 @@ funds.deposit.fundHavenoWallet=Alimenter le portefeuille Haveno
funds.deposit.noAddresses=Aucune adresse de dépôt n'a encore été générée
funds.deposit.fundWallet=Alimenter votre portefeuille
funds.deposit.withdrawFromWallet=Transférer des fonds depuis le portefeuille
funds.deposit.amount=Montant en BTC (optionnel)
funds.deposit.amount=Montant en XMR (optionnel)
funds.deposit.generateAddress=Générer une nouvelle adresse
funds.deposit.generateAddressSegwit=Format segwit natif (Bech32)
funds.deposit.selectUnused=Merci de sélectionner une adresse inutilisée dans le champ ci-dessus plutôt que d'en générer une nouvelle.
@ -891,7 +891,7 @@ funds.tx.revert=Revertir
funds.tx.txSent=Transaction envoyée avec succès vers une nouvelle adresse dans le portefeuille local haveno.
funds.tx.direction.self=Envoyé à vous même
funds.tx.dustAttackTx=dust reçues
funds.tx.dustAttackTx.popup=Cette transaction va envoyer un faible montant en BTC sur votre portefeuille ce qui pourrait constituer une tentative d'espionnage de la part de sociétés qui analyse la chaine.\n\nSi vous utilisez cette transaction de sortie des données dans le cadre d'une transaction représentant une dépense il sera alors possible de comprendre que vous êtes probablement aussi le propriétaire de l'autre adresse (coin merge).\n\nAfin de protéger votre vie privée, le portefeuille Haveno ne tient pas compte de ces "dust outputs" dans le cadre des transactions de vente et dans l'affichage de la balance. Vous pouvez définir une quantité seuil lorsqu'une "output" est considérée comme poussière dans les réglages.
funds.tx.dustAttackTx.popup=Cette transaction va envoyer un faible montant en XMR sur votre portefeuille ce qui pourrait constituer une tentative d'espionnage de la part de sociétés qui analyse la chaine.\n\nSi vous utilisez cette transaction de sortie des données dans le cadre d'une transaction représentant une dépense il sera alors possible de comprendre que vous êtes probablement aussi le propriétaire de l'autre adresse (coin merge).\n\nAfin de protéger votre vie privée, le portefeuille Haveno ne tient pas compte de ces "dust outputs" dans le cadre des transactions de vente et dans l'affichage de la balance. Vous pouvez définir une quantité seuil lorsqu'une "output" est considérée comme poussière dans les réglages.
####################################################################
# Support
@ -941,8 +941,8 @@ support.savedInMailbox=Message sauvegardé dans la boîte mail du destinataire
support.arrived=Message reçu par le destinataire
support.acknowledged=Réception du message confirmée par le destinataire
support.error=Le destinataire n''a pas pu traiter le message. Erreur : {0}
support.buyerAddress=Adresse de l'acheteur BTC
support.sellerAddress=Adresse du vendeur BTC
support.buyerAddress=Adresse de l'acheteur XMR
support.sellerAddress=Adresse du vendeur XMR
support.role=Rôle
support.agent=Agent d'assistance
support.state=État
@ -950,13 +950,13 @@ support.chat=Chat
support.closed=Fermé
support.open=Ouvert
support.process=Processus
support.buyerMaker=Acheteur BTC/Maker
support.sellerMaker=Vendeur BTC/Maker
support.buyerTaker=Acheteur BTC/Taker
support.sellerTaker=Vendeur BTC/Taker
support.buyerMaker=Acheteur XMR/Maker
support.sellerMaker=Vendeur XMR/Maker
support.buyerTaker=Acheteur XMR/Taker
support.sellerTaker=Vendeur XMR/Taker
support.backgroundInfo=Haveno n'est pas une entreprise, donc il gère les litiges différemment.\n\nLes traders peuvent communiquer au sein de l'application via une discussion sécurisée sur l'écran des transactions ouvertes pour tenter de résoudre les litiges eux-mêmes. Si cela n'est pas suffisant, un médiateur évaluera la situation et décidera d'un paiement des fonds de transaction.
support.initialInfo=Veuillez entrer une description de votre problème dans le champ texte ci-dessous. Ajoutez autant d''informations que possible pour accélérer le temps de résolution du litige.\n\nVoici une check list des informations que vous devez fournir :\n● Si vous êtes l''acheteur BTC : Avez-vous effectué le paiement Fiat ou Crypto ? Si oui, avez-vous cliqué sur le bouton "paiement commencé" dans l''application ?\n● Si vous êtes le vendeur BTC : Avez-vous reçu le paiement Fiat ou Crypto ? Si oui, avez-vous cliqué sur le bouton "paiement reçu" dans l''application ?\n● Quelle version de Haveno utilisez-vous ?\n● Quel système d''exploitation utilisez-vous ?\n● Si vous avez rencontré un problème avec des transactions qui ont échoué, veuillez envisager de passer à un nouveau répertoire de données.\nParfois, le répertoire de données est corrompu et conduit à des bogues étranges. \nVoir : https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nVeuillez vous familiariser avec les règles de base du processus de règlement des litiges :\n● Vous devez répondre aux demandes des {0} dans les 2 jours.\n● Les médiateurs répondent dans un délai de 2 jours. Les arbitres répondent dans un délai de 5 jours ouvrables.\n● Le délai maximum pour un litige est de 14 jours.\n● Vous devez coopérer avec les {1} et fournir les renseignements qu''ils demandent pour faire valoir votre cause.\n● Vous avez accepté les règles décrites dans le document de litige dans l''accord d''utilisation lorsque vous avez lancé l''application pour la première fois.\n\nVous pouvez en apprendre davantage sur le processus de litige à l''adresse suivante {2}
support.initialInfo=Veuillez entrer une description de votre problème dans le champ texte ci-dessous. Ajoutez autant d''informations que possible pour accélérer le temps de résolution du litige.\n\nVoici une check list des informations que vous devez fournir :\n● Si vous êtes l''acheteur XMR : Avez-vous effectué le paiement Fiat ou Crypto ? Si oui, avez-vous cliqué sur le bouton "paiement commencé" dans l''application ?\n● Si vous êtes le vendeur XMR : Avez-vous reçu le paiement Fiat ou Crypto ? Si oui, avez-vous cliqué sur le bouton "paiement reçu" dans l''application ?\n● Quelle version de Haveno utilisez-vous ?\n● Quel système d''exploitation utilisez-vous ?\n● Si vous avez rencontré un problème avec des transactions qui ont échoué, veuillez envisager de passer à un nouveau répertoire de données.\nParfois, le répertoire de données est corrompu et conduit à des bogues étranges. \nVoir : https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nVeuillez vous familiariser avec les règles de base du processus de règlement des litiges :\n● Vous devez répondre aux demandes des {0} dans les 2 jours.\n● Les médiateurs répondent dans un délai de 2 jours. Les arbitres répondent dans un délai de 5 jours ouvrables.\n● Le délai maximum pour un litige est de 14 jours.\n● Vous devez coopérer avec les {1} et fournir les renseignements qu''ils demandent pour faire valoir votre cause.\n● Vous avez accepté les règles décrites dans le document de litige dans l''accord d''utilisation lorsque vous avez lancé l''application pour la première fois.\n\nVous pouvez en apprendre davantage sur le processus de litige à l''adresse suivante {2}
support.systemMsg=Message du système: {0}
support.youOpenedTicket=Vous avez ouvert une demande de support.\n\n{0}\n\nHaveno version: {1}
support.youOpenedDispute=Vous avez ouvert une demande de litige.\n\n{0}\n\nHaveno version: {1}
@ -980,13 +980,13 @@ settings.tab.network=Info sur le réseau
settings.tab.about=À propos
setting.preferences.general=Préférences générales
setting.preferences.explorer=Exploreur Bitcoin
setting.preferences.explorer=Exploreur Monero
setting.preferences.deviation=Ecart maximal par rapport au prix du marché
setting.preferences.avoidStandbyMode=Éviter le mode veille
setting.preferences.autoConfirmXMR=Auto-confirmation XMR
setting.preferences.autoConfirmEnabled=Activé
setting.preferences.autoConfirmRequiredConfirmations=Confirmations requises
setting.preferences.autoConfirmMaxTradeSize=Montant maximum du trade (BTC)
setting.preferences.autoConfirmMaxTradeSize=Montant maximum du trade (XMR)
setting.preferences.autoConfirmServiceAddresses=URLs de l'explorateur de Monero (utilise Tor, à part pour l'hôte local, les addresses IP locales, et les noms de domaine en *.local)
setting.preferences.deviationToLarge=Les valeurs supérieures à {0}% ne sont pas autorisées.
setting.preferences.txFee=Frais de transaction du retrait (satoshis/vbyte)
@ -1023,29 +1023,29 @@ settings.preferences.editCustomExplorer.name=Nom
settings.preferences.editCustomExplorer.txUrl=URL de la transaction
settings.preferences.editCustomExplorer.addressUrl=Addresse URL
settings.net.btcHeader=Réseau Bitcoin
settings.net.xmrHeader=Réseau Monero
settings.net.p2pHeader=Le réseau Haveno
settings.net.onionAddressLabel=Mon adresse onion
settings.net.xmrNodesLabel=Utiliser des nœuds Monero personnalisés
settings.net.moneroPeersLabel=Pairs connectés
settings.net.useTorForXmrJLabel=Utiliser Tor pour le réseau Monero
settings.net.moneroNodesLabel=Nœuds Monero pour se connecter à
settings.net.useProvidedNodesRadio=Utiliser les nœuds Bitcoin Core fournis
settings.net.usePublicNodesRadio=Utiliser le réseau Bitcoin public
settings.net.useCustomNodesRadio=Utiliser des nœuds Bitcoin Core personnalisés
settings.net.useProvidedNodesRadio=Utiliser les nœuds Monero Core fournis
settings.net.usePublicNodesRadio=Utiliser le réseau Monero public
settings.net.useCustomNodesRadio=Utiliser des nœuds Monero Core personnalisés
settings.net.warn.usePublicNodes=Si vous utilisez des nœuds publics Monero, vous êtes exposé à tout risque lié à l'utilisation de nœuds distants non fiables.\n\nVeuillez lire plus de détails sur [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nÊtes-vous sûr de vouloir utiliser des nœuds publics ?
settings.net.warn.usePublicNodes.useProvided=Non, utiliser les nœuds fournis.
settings.net.warn.usePublicNodes.usePublic=Oui, utiliser un réseau public
settings.net.warn.useCustomNodes.B2XWarning=Veuillez vous assurer que votre nœud Bitcoin est un nœud Bitcoin Core de confiance !\n\nLa connexion à des nœuds qui ne respectent pas les règles du consensus de Bitcoin Core peut corrompre votre portefeuille et causer des problèmes dans le processus de trading.\n\nLes utilisateurs qui se connectent à des nœuds qui ne respectent pas les règles du consensus sont responsables des dommages qui en résultent. Tout litige qui en résulte sera tranché en faveur de l'autre pair. Aucune assistance technique ne sera apportée aux utilisateurs qui ignorent ces mécanismes d'alertes et de protections !
settings.net.warn.invalidBtcConfig=La connection au réseau Bitcoin a échoué car votre configuration est invalide.\n\nVotre configuration a été réinitialisée afin d'utiliser les noeuds Bitcoin fournis à la place. Vous allez avoir besoin de relancer l'application.
settings.net.localhostXmrNodeInfo=Information additionnelle : Haveno cherche un noeud Bitcoin local au démarrage. Si il est trouvé, Haveno communiquera avec le réseau Bitcoin uniquement à travers ce noeud.
settings.net.warn.useCustomNodes.B2XWarning=Veuillez vous assurer que votre nœud Monero est un nœud Monero Core de confiance !\n\nLa connexion à des nœuds qui ne respectent pas les règles du consensus de Monero Core peut corrompre votre portefeuille et causer des problèmes dans le processus de trading.\n\nLes utilisateurs qui se connectent à des nœuds qui ne respectent pas les règles du consensus sont responsables des dommages qui en résultent. Tout litige qui en résulte sera tranché en faveur de l'autre pair. Aucune assistance technique ne sera apportée aux utilisateurs qui ignorent ces mécanismes d'alertes et de protections !
settings.net.warn.invalidXmrConfig=La connection au réseau Monero a échoué car votre configuration est invalide.\n\nVotre configuration a été réinitialisée afin d'utiliser les noeuds Monero fournis à la place. Vous allez avoir besoin de relancer l'application.
settings.net.localhostXmrNodeInfo=Information additionnelle : Haveno cherche un noeud Monero local au démarrage. Si il est trouvé, Haveno communiquera avec le réseau Monero uniquement à travers ce noeud.
settings.net.p2PPeersLabel=Pairs connectés
settings.net.onionAddressColumn=Adresse onion
settings.net.creationDateColumn=Établi
settings.net.connectionTypeColumn=In/Out
settings.net.sentDataLabel=Statistiques des données envoyées
settings.net.receivedDataLabel=Statistiques des données reçues
settings.net.chainHeightLabel=Hauteur du dernier block BTC
settings.net.chainHeightLabel=Hauteur du dernier block XMR
settings.net.roundTripTimeColumn=Roundtrip
settings.net.sentBytesColumn=Envoyé
settings.net.receivedBytesColumn=Reçu
@ -1060,7 +1060,7 @@ settings.net.needRestart=Vous devez redémarrer l'application pour appliquer cet
settings.net.notKnownYet=Pas encore connu...
settings.net.sentData=Données envoyées: {0}, {1} messages, {2} messages/seconde
settings.net.receivedData=Données reçues: {0}, {1} messages, {2} messages/seconde
settings.net.chainHeight=Hauteur de la chaîne des pairs Bitcoin: {0}
settings.net.chainHeight=Hauteur de la chaîne des pairs Monero: {0}
settings.net.ips=[IP address:port | host name:port | onion address:port] (séparés par des virgules). Le port peut être ignoré si utilisé par défaut (8333).
settings.net.seedNode=Seed node
settings.net.directPeer=Pair (direct)
@ -1069,7 +1069,7 @@ settings.net.peer=Pair
settings.net.inbound=inbound
settings.net.outbound=outbound
setting.about.aboutHaveno=À propos de Haveno
setting.about.about=Haveno est un logiciel libre qui facilite l'échange de Bitcoins avec les devises nationales (et d'autres cryptomonnaies) au moyen d'un réseau pair-to-pair décentralisé, de manière à protéger au mieux la vie privée des utilisateurs. Pour en savoir plus sur Haveno, consultez la page Web du projet.
setting.about.about=Haveno est un logiciel libre qui facilite l'échange de Moneros avec les devises nationales (et d'autres cryptomonnaies) au moyen d'un réseau pair-to-pair décentralisé, de manière à protéger au mieux la vie privée des utilisateurs. Pour en savoir plus sur Haveno, consultez la page Web du projet.
setting.about.web=Page web de Haveno
setting.about.code=Code source
setting.about.agpl=Licence AGPL
@ -1106,7 +1106,7 @@ setting.about.shortcuts.openDispute.value=Sélectionnez l''échange en cours et
setting.about.shortcuts.walletDetails=Ouvrir la fenêtre avec les détails sur le portefeuille
setting.about.shortcuts.openEmergencyBtcWalletTool=Ouvrir l'outil de portefeuille d'urgence pour BTC
setting.about.shortcuts.openEmergencyXmrWalletTool=Ouvrir l'outil de portefeuille d'urgence pour XMR
setting.about.shortcuts.showTorLogs=Basculer le niveau de log pour les messages Tor entre DEBUG et WARN
@ -1132,7 +1132,7 @@ setting.about.shortcuts.sendPrivateNotification=Envoyer une notification privée
setting.about.shortcuts.sendPrivateNotification.value=Ouvrez l'information du pair via l'avatar et appuyez sur: {0}
setting.info.headline=Nouvelle fonctionnalité, l'auto-confirmation XMR
setting.info.msg=Vous n'avez pas saisi l'ID et la clé de transaction. \n\nSi vous ne fournissez pas ces données, votre partenaire commercial ne peut pas utiliser la fonction de confirmation automatique pour libérer rapidement le BTC après avoir reçu le XMR.\nEn outre, Haveno demande aux expéditeurs XMR de fournir ces informations aux médiateurs et aux arbitres en cas de litige.\nPlus de détails sont dans Haveno Wiki: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=Vous n'avez pas saisi l'ID et la clé de transaction. \n\nSi vous ne fournissez pas ces données, votre partenaire commercial ne peut pas utiliser la fonction de confirmation automatique pour libérer rapidement le XMR après avoir reçu le XMR.\nEn outre, Haveno demande aux expéditeurs XMR de fournir ces informations aux médiateurs et aux arbitres en cas de litige.\nPlus de détails sont dans Haveno Wiki: [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1141,7 +1141,7 @@ account.tab.mediatorRegistration=Enregistrement du médiateur
account.tab.refundAgentRegistration=Enregistrement de l'agent de remboursement
account.tab.signing=Signature en cours
account.info.headline=Bienvenue sur votre compte Haveno
account.info.msg=Ici, vous pouvez ajouter des comptes de trading en devises nationales et en cryptos et créer une sauvegarde de votre portefeuille ainsi que des données de votre compte.\n\nUn nouveau portefeuille Bitcoin a été créé un premier lancement de Haveno.\n\nNous vous recommandons vivement d'écrire les mots-clés de votre seed de portefeuille Bitcoin (voir l'onglet en haut) et d'envisager d'ajouter un mot de passe avant le transfert de fonds. Les dépôts et retraits de Bitcoin sont gérés dans la section \"Fonds\".\n\nNotice de confidentialité et de sécurité : Haveno étant une plateforme d'échange décentralisée, toutes vos données sont conservées sur votre ordinateur. Il n'y a pas de serveurs, nous n'avons donc pas accès à vos informations personnelles, à vos fonds ou même à votre adresse IP. Les données telles que les numéros de compte bancaire, les adresses crypto & Bitcoin, etc ne sont partagées avec votre pair de trading que pour effectuer les transactions que vous initiez (en cas de litige, le médiateur et larbitre verront les mêmes données que votre pair de trading).
account.info.msg=Ici, vous pouvez ajouter des comptes de trading en devises nationales et en cryptos et créer une sauvegarde de votre portefeuille ainsi que des données de votre compte.\n\nUn nouveau portefeuille Monero a été créé un premier lancement de Haveno.\n\nNous vous recommandons vivement d'écrire les mots-clés de votre seed de portefeuille Monero (voir l'onglet en haut) et d'envisager d'ajouter un mot de passe avant le transfert de fonds. Les dépôts et retraits de Monero sont gérés dans la section \"Fonds\".\n\nNotice de confidentialité et de sécurité : Haveno étant une plateforme d'échange décentralisée, toutes vos données sont conservées sur votre ordinateur. Il n'y a pas de serveurs, nous n'avons donc pas accès à vos informations personnelles, à vos fonds ou même à votre adresse IP. Les données telles que les numéros de compte bancaire, les adresses crypto & Monero, etc ne sont partagées avec votre pair de trading que pour effectuer les transactions que vous initiez (en cas de litige, le médiateur et larbitre verront les mêmes données que votre pair de trading).
account.menu.paymentAccount=Comptes en devise nationale
account.menu.altCoinsAccountView=Compte Cryptos
@ -1152,7 +1152,7 @@ account.menu.backup=Sauvegarde
account.menu.notifications=Notifications
account.menu.walletInfo.balance.headLine=Solde du portefeuille
account.menu.walletInfo.balance.info=Ceci montre le solde du portefeuille interne en incluant les transactions non-confirmées.\nPour le BTC, le solde du portefeuille interne affiché ci-dessous devrait correspondre à la somme des soldes 'Disponibles' et 'Réservés' affichés en haut à droite de cette fenêtre.
account.menu.walletInfo.balance.info=Ceci montre le solde du portefeuille interne en incluant les transactions non-confirmées.\nPour le XMR, le solde du portefeuille interne affiché ci-dessous devrait correspondre à la somme des soldes 'Disponibles' et 'Réservés' affichés en haut à droite de cette fenêtre.
account.menu.walletInfo.xpub.headLine=Afficher les clés (clés xpub)
account.menu.walletInfo.walletSelector={0} {1} portefeuille
account.menu.walletInfo.path.headLine=Chemin du trousseau HD
@ -1209,7 +1209,7 @@ account.crypto.popup.pars.msg=Echanger ParsiCoin sur Haveno nécessite que vous
account.crypto.popup.blk-burnt.msg=Pour échanger les monnaies brûlées, vous devez savoir ce qui suit: \n\nLes monnaies brûlées ne peuvent pas être dépensée. Pour les échanger sur Haveno, le script de sortie doit prendre la forme suivante: OP_RETURN OP_PUSHDATA, suivi des octets de données pertinents, ces octets forment l'adresse après le codage hexadécimal. Par exemple, une devise brûlée avec l'adresse 666f6f ("foo" en UTF-8) aura le script suivant: \n\nOP_RETURN OP_PUSHDATA 666f6f \n\nPour créer de la monnaie brûlée, vous pouvez utiliser la commande RPC «brûler», disponible dans certains portefeuilles. \n\nPour d'éventuelles situations, vous pouvez vérifier https://ibo.laboratorium.ee \n\nPuisque la monnaie brûlée ne peut pas être utilisée, elle ne peut pas être revendue. «Vendre» une devise brûlée signifie brûler la devise d'origine (données associées à l'adresse de destination). \n\nEn cas de litige, le vendeur BLK doit fournir le hachage de la transaction.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Pour échanger L-BTC sur Haveno, vous devez comprendre les termes suivants: \n\nLorsque vous acceptez des transactions L-BTC sur Haveno, vous ne pouvez pas utiliser Blockstream Green Wallet sur le téléphone mobile ou un portefeuille de dépôt / commercial. Vous ne devez recevoir du L-BTC que dans le portefeuille Liquid Elements Core ou un autre portefeuille L-BTC avec une adresse L-BTC et une clé de sécurité qui vous permettre d'être anonyme. \n\nEn cas de médiation ou en cas de litige de transaction, vous devez divulguer la clé de sécurité de l'adresse L-BTC au médiateur Haveno ou à l'agent de remboursement afin qu'ils puissent vérifier les détails de votre transaction anonyme sur leur propre nœud complet Elements Core. \n\nSi vous ne comprenez pas ou ne comprenez pas ces exigences, n'échangez pas de L-BTC sur Haveno.
account.crypto.popup.liquidmonero.msg=Pour échanger L-XMR sur Haveno, vous devez comprendre les termes suivants: \n\nLorsque vous acceptez des transactions L-XMR sur Haveno, vous ne pouvez pas utiliser Blockstream Green Wallet sur le téléphone mobile ou un portefeuille de dépôt / commercial. Vous ne devez recevoir du L-XMR que dans le portefeuille Liquid Elements Core ou un autre portefeuille L-XMR avec une adresse L-XMR et une clé de sécurité qui vous permettre d'être anonyme. \n\nEn cas de médiation ou en cas de litige de transaction, vous devez divulguer la clé de sécurité de l'adresse L-XMR au médiateur Haveno ou à l'agent de remboursement afin qu'ils puissent vérifier les détails de votre transaction anonyme sur leur propre nœud complet Elements Core. \n\nSi vous ne comprenez pas ou ne comprenez pas ces exigences, n'échangez pas de L-XMR sur Haveno.
account.traditional.yourTraditionalAccounts=Vos comptes en devise nationale
@ -1230,12 +1230,12 @@ account.password.setPw.headline=Définir le mot de passe de protection pour le p
account.password.info=Avec la protection par mot de passe, vous devrez entrer votre mot de passe au démarrage de l'application, lors du retrait de monero depuis votre portefeuille et lors de l'affichage de vos mots de la graine (seed).
account.seed.backup.title=Sauvegarder les mots composant la seed de votre portefeuille
account.seed.info=Veuillez noter les mots de la seed du portefeuille ainsi que la date! Vous pouvez récupérer votre portefeuille à tout moment avec les mots de la seed et la date.\nLes mêmes mots-clés de la seed sont utilisés pour les portefeuilles BTC et BSQ.\n\nVous devriez écrire les mots de la seed sur une feuille de papier. Ne les enregistrez pas sur votre ordinateur.\n\nVeuillez noter que les mots de la seed ne remplacent PAS une sauvegarde.\nVous devez créer une sauvegarde de l'intégralité du répertoire de l'application à partir de l'écran \"Compte/Sauvergarde\" pour restaurer correctement les données de l'application.\nL'importation de mots de la seed n'est recommandée qu'en cas d'urgence. L'application ne sera pas fonctionnelle sans une sauvegarde adéquate des fichiers et des clés de la base de données !
account.seed.info=Veuillez noter les mots de la seed du portefeuille ainsi que la date! Vous pouvez récupérer votre portefeuille à tout moment avec les mots de la seed et la date.\nLes mêmes mots-clés de la seed sont utilisés pour les portefeuilles XMR et BSQ.\n\nVous devriez écrire les mots de la seed sur une feuille de papier. Ne les enregistrez pas sur votre ordinateur.\n\nVeuillez noter que les mots de la seed ne remplacent PAS une sauvegarde.\nVous devez créer une sauvegarde de l'intégralité du répertoire de l'application à partir de l'écran \"Compte/Sauvergarde\" pour restaurer correctement les données de l'application.\nL'importation de mots de la seed n'est recommandée qu'en cas d'urgence. L'application ne sera pas fonctionnelle sans une sauvegarde adéquate des fichiers et des clés de la base de données !
account.seed.backup.warning=Veuillez noter que les mots de départ ne peuvent pas remplacer les sauvegardes. Vous devez sauvegarder tout le répertoire de l'application (dans l'onglet «Compte / Sauvegarde») pour restaurer l'état et les données de l'application. L'importation de mots de départ n'est recommandée qu'en cas d'urgence. Si le fichier de base de données et la clé ne sont pas correctement sauvegardés, l'application ne fonctionnera pas! \n\nVoir plus d'informations sur le wiki Haveno: [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data]
account.seed.warn.noPw.msg=Vous n'avez pas configuré un mot de passe de portefeuille qui protégerait l'affichage des mots composant la seed.\n\nVoulez-vous afficher les mots composant la seed?
account.seed.warn.noPw.yes=Oui, et ne me le demander plus à l'avenir
account.seed.enterPw=Entrer le mot de passe afficher les mots composant la seed
account.seed.restore.info=Veuillez effectuer une sauvegarde avant de procéder à une restauration à partir du mot de passe. Sachez que la restauration d'un portefeuille n'est a faire qu'en cas d'urgence et qu'elle peut causer des problèmes avec la base de données interne du portefeuille.\nCe n'est pas une façon de faire une sauvegarde ! Veuillez utiliser une sauvegarde à partir du répertoire de données de l'application pour restaurer l'état antérieur de l'application.\n\nAprès la restauration, l'application s'arrêtera automatiquement. Après le redémarrage de l'application, elle sera resynchronisée avec le réseau Bitcoin. Cela peut prendre un certain temps et peut consommer beaucoup de puissance sur le CPU, surtout si le portefeuille était plus vieux et contient beaucoup de transactions. Veuillez éviter d'interrompre ce processus, sinon vous devrez peut-être supprimer à nouveau le fichier de chaîne SPV ou répéter le processus de restauration.
account.seed.restore.info=Veuillez effectuer une sauvegarde avant de procéder à une restauration à partir du mot de passe. Sachez que la restauration d'un portefeuille n'est a faire qu'en cas d'urgence et qu'elle peut causer des problèmes avec la base de données interne du portefeuille.\nCe n'est pas une façon de faire une sauvegarde ! Veuillez utiliser une sauvegarde à partir du répertoire de données de l'application pour restaurer l'état antérieur de l'application.\n\nAprès la restauration, l'application s'arrêtera automatiquement. Après le redémarrage de l'application, elle sera resynchronisée avec le réseau Monero. Cela peut prendre un certain temps et peut consommer beaucoup de puissance sur le CPU, surtout si le portefeuille était plus vieux et contient beaucoup de transactions. Veuillez éviter d'interrompre ce processus, sinon vous devrez peut-être supprimer à nouveau le fichier de chaîne SPV ou répéter le processus de restauration.
account.seed.restore.ok=Ok, effectuer la restauration et arrêter Haveno
@ -1260,13 +1260,13 @@ account.notifications.trade.label=Recevoir des messages pour le trade
account.notifications.market.label=Recevoir des alertes sur les ordres
account.notifications.price.label=Recevoir des alertes de prix
account.notifications.priceAlert.title=Alertes de prix
account.notifications.priceAlert.high.label=Me prévenir si le prix du BTC est supérieur à
account.notifications.priceAlert.low.label=Me prévenir si le prix du BTC est inférieur à
account.notifications.priceAlert.high.label=Me prévenir si le prix du XMR est supérieur à
account.notifications.priceAlert.low.label=Me prévenir si le prix du XMR est inférieur à
account.notifications.priceAlert.setButton=Définir l'alerte de prix
account.notifications.priceAlert.removeButton=Retirer l'alerte de prix
account.notifications.trade.message.title=L'état du trade a été modifié.
account.notifications.trade.message.msg.conf=La transaction de dépôt pour l''échange avec ID {0} est confirmée. Veuillez ouvrir votre application Haveno et initier le paiement.
account.notifications.trade.message.msg.started=L''acheteur de BTC a initié le paiement pour la transaction avec ID {0}.
account.notifications.trade.message.msg.started=L''acheteur de XMR a initié le paiement pour la transaction avec ID {0}.
account.notifications.trade.message.msg.completed=La transaction avec l''ID {0} est terminée.
account.notifications.offer.message.title=Votre ordre a été accepté
account.notifications.offer.message.msg=Votre ordre avec l''ID {0} a été accepté
@ -1276,10 +1276,10 @@ account.notifications.dispute.message.msg=Vous avez reçu un message de contesta
account.notifications.marketAlert.title=Alertes sur les ordres
account.notifications.marketAlert.selectPaymentAccount=Ordres correspondants au compte de paiement
account.notifications.marketAlert.offerType.label=Type d'ordre qui m'intéresse
account.notifications.marketAlert.offerType.buy=Ordres d'achat (je veux vendre des BTC)
account.notifications.marketAlert.offerType.sell=Ordres de vente (je veux acheter des BTC)
account.notifications.marketAlert.offerType.buy=Ordres d'achat (je veux vendre des XMR)
account.notifications.marketAlert.offerType.sell=Ordres de vente (je veux acheter des XMR)
account.notifications.marketAlert.trigger=Écart par rapport au prix de l'ordre (%)
account.notifications.marketAlert.trigger.info=Avec la définition d'une distance par rapport au prix, vous ne recevrez une alerte que lorsqu'un odre qui répondra (ou dépassera) vos exigences sera publié. Exemple : vous voulez vendre des BTC, mais vous ne vendrez qu'avec une prime de 2% par rapport au prix actuel du marché. En réglant ce champ à 2%, vous ne recevrez que des alertes pour les ordres dont les prix sont de 2% (ou plus) au dessus du prix actuel du marché.
account.notifications.marketAlert.trigger.info=Avec la définition d'une distance par rapport au prix, vous ne recevrez une alerte que lorsqu'un odre qui répondra (ou dépassera) vos exigences sera publié. Exemple : vous voulez vendre des XMR, mais vous ne vendrez qu'avec une prime de 2% par rapport au prix actuel du marché. En réglant ce champ à 2%, vous ne recevrez que des alertes pour les ordres dont les prix sont de 2% (ou plus) au dessus du prix actuel du marché.
account.notifications.marketAlert.trigger.prompt=Écart en pourcentage par rapport au prix du marché (par ex. 2,50 %, -0,50 %, etc.)
account.notifications.marketAlert.addButton=Ajouter une alerte pour les ordres
account.notifications.marketAlert.manageAlertsButton=Gérer les alertes des ordres
@ -1306,10 +1306,10 @@ inputControlWindow.balanceLabel=Solde disponible
contractWindow.title=Détails du conflit
contractWindow.dates=Date de l'ordre / date de l'échange
contractWindow.btcAddresses=Adresse Bitcoin BTC acheteur / vendeur BTC
contractWindow.onions=Adresse réseau de l'acheteur de BTC / du vendeur de BTC
contractWindow.accountAge=Âge du compte acheteur BTC / vendeur BTC
contractWindow.numDisputes=Nombre de litiges de l'acheteur de BTC / du vendeur de BTC
contractWindow.xmrAddresses=Adresse Monero XMR acheteur / vendeur XMR
contractWindow.onions=Adresse réseau de l'acheteur de XMR / du vendeur de XMR
contractWindow.accountAge=Âge du compte acheteur XMR / vendeur XMR
contractWindow.numDisputes=Nombre de litiges de l'acheteur de XMR / du vendeur de XMR
contractWindow.contractHash=Contracter le hash
displayAlertMessageWindow.headline=Information importante!
@ -1335,8 +1335,8 @@ disputeSummaryWindow.title=Résumé
disputeSummaryWindow.openDate=Date d'ouverture du ticket
disputeSummaryWindow.role=Rôle du trader
disputeSummaryWindow.payout=Versement du montant de l'opération
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} obtient le montant du versement de la transaction
disputeSummaryWindow.payout.getsAll=Payement maximum en BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} obtient le montant du versement de la transaction
disputeSummaryWindow.payout.getsAll=Payement maximum en XMR {0}
disputeSummaryWindow.payout.custom=Versement personnalisé
disputeSummaryWindow.payoutAmount.buyer=Montant du versement de l'acheteur
disputeSummaryWindow.payoutAmount.seller=Montant du versement au vendeur
@ -1378,7 +1378,7 @@ disputeSummaryWindow.close.button=Fermer le ticket
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Le ticket a été fermé {0}\n {1} Adresse du noeud: {2} \n\nRésumé: \nID de transaction: {3} \nDevise: {4} \n Montant de la transaction: {5} \nMontant du paiement de l'acheteur BTC: {6} \nMontant du paiement du vendeur BTC: {7} \n\nRaison du litige: {8} \n\nRésumé: {9} \n\n
disputeSummaryWindow.close.msg=Le ticket a été fermé {0}\n {1} Adresse du noeud: {2} \n\nRésumé: \nID de transaction: {3} \nDevise: {4} \n Montant de la transaction: {5} \nMontant du paiement de l'acheteur XMR: {6} \nMontant du paiement du vendeur XMR: {7} \n\nRaison du litige: {8} \n\nRésumé: {9} \n\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1421,18 +1421,18 @@ filterWindow.mediators=Médiateurs filtrés (adresses onion sep. par une virgule
filterWindow.refundAgents=Agents de remboursement filtrés (adresses onion sep. par virgule)
filterWindow.seedNode=Nœuds de seed filtrés (adresses onion séparées par une virgule)
filterWindow.priceRelayNode=Nœuds relais avec prix filtrés (adresses onion séparées par une virgule)
filterWindow.xmrNode=Nœuds Bitcoin filtrés (adresses séparées par une virgule + port)
filterWindow.preventPublicXmrNetwork=Empêcher l'utilisation du réseau public Bitcoin
filterWindow.xmrNode=Nœuds Monero filtrés (adresses séparées par une virgule + port)
filterWindow.preventPublicXmrNetwork=Empêcher l'utilisation du réseau public Monero
filterWindow.disableAutoConf=Désactiver la confirmation automatique
filterWindow.autoConfExplorers=Explorateur d'auto-confirmations filtrés (addresses à virgule de séparation)
filterWindow.disableTradeBelowVersion=Version min. nécessaire pour pouvoir échanger
filterWindow.add=Ajouter le filtre
filterWindow.remove=Retirer le filtre
filterWindow.xmrFeeReceiverAddresses=Adresse de réception des frais BTC
filterWindow.xmrFeeReceiverAddresses=Adresse de réception des frais XMR
filterWindow.disableApi=Désactiver l'API
filterWindow.disableMempoolValidation=Désactiver la validation du Mempool
offerDetailsWindow.minBtcAmount=Montant BTC min.
offerDetailsWindow.minXmrAmount=Montant XMR min.
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(écart par rapport au prix de marché: {0})
offerDetailsWindow.myTradingAccount=Mon compte de trading
@ -1497,7 +1497,7 @@ tradeDetailsWindow.agentAddresses=Arbitre/Médiateur
tradeDetailsWindow.detailData=Données détaillées
txDetailsWindow.headline=Détails de la transaction
txDetailsWindow.xmr.note=Vous avez envoyé du BTC.
txDetailsWindow.xmr.note=Vous avez envoyé du XMR.
txDetailsWindow.sentTo=Envoyé à
txDetailsWindow.txId=ID de transaction
@ -1507,7 +1507,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} avec le prix courant du mar
closedTradesSummaryWindow.totalVolume.title=Montant total échangé en {0}
closedTradesSummaryWindow.totalMinerFee.title=Somme de tous les frais de mineur
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} du montant total du trade)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Somme de tous les frais de trade payés en BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Somme de tous les frais de trade payés en XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} du montant total du trade)
walletPasswordWindow.headline=Entrer le mot de passe pour déverouiller
@ -1533,12 +1533,12 @@ torNetworkSettingWindow.bridges.header=Tor est-il bloqué?
torNetworkSettingWindow.bridges.info=Si Tor est bloqué par votre fournisseur Internet ou dans votre pays, vous pouvez essayer d'utiliser les passerelles Tor.\nVisitez la page web de Tor sur: https://bridges.torproject.org/bridges pour en savoir plus sur les bridges et les pluggable transports.
feeOptionWindow.headline=Choisissez la devise pour le paiement des frais de transaction
feeOptionWindow.info=Vous pouvez choisir de payer les frais de transaction en BSQ ou en BTC. Si vous choisissez BSQ, vous bénéficierez de frais de transaction réduits.
feeOptionWindow.info=Vous pouvez choisir de payer les frais de transaction en BSQ ou en XMR. Si vous choisissez BSQ, vous bénéficierez de frais de transaction réduits.
feeOptionWindow.optionsLabel=Choisissez la devise pour le paiement des frais de transaction
feeOptionWindow.useBTC=Utiliser BTC
feeOptionWindow.useXMR=Utiliser XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (environ {1}/{2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (environ {1}/{2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1580,9 +1580,9 @@ popup.warning.noTradingAccountSetup.msg=Vous devez configurer une devise nationa
popup.warning.noArbitratorsAvailable=Les arbitres ne sont pas disponibles.
popup.warning.noMediatorsAvailable=Il n'y a pas de médiateurs disponibles.
popup.warning.notFullyConnected=Vous devez attendre d'être complètement connecté au réseau.\nCela peut prendre jusqu'à 2 minutes au démarrage.
popup.warning.notSufficientConnectionsToBtcNetwork=Vous devez attendre d''avoir au minimum {0} connexions au réseau Bitcoin.
popup.warning.downloadNotComplete=Vous devez attendre que le téléchargement des blocs Bitcoin manquants soit terminé.
popup.warning.chainNotSynced=La hauteur de la blockchain du portefeuille Haveno n'est pas synchronisée correctement. Si vous avez récemment démarré l'application, veuillez attendre qu'un block de Bitcoin a soit publié.\n\nVous pouvez vérifier la hauteur de la blockchain dans Paramètres/Informations Réseau. Si plus d'un block passe et que ce problème persiste, il est possible que ça soit bloqué, dans ce cas effectuez une resynchronisation SPV [LIEN:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Vous devez attendre d''avoir au minimum {0} connexions au réseau Monero.
popup.warning.downloadNotComplete=Vous devez attendre que le téléchargement des blocs Monero manquants soit terminé.
popup.warning.chainNotSynced=La hauteur de la blockchain du portefeuille Haveno n'est pas synchronisée correctement. Si vous avez récemment démarré l'application, veuillez attendre qu'un block de Monero a soit publié.\n\nVous pouvez vérifier la hauteur de la blockchain dans Paramètres/Informations Réseau. Si plus d'un block passe et que ce problème persiste, il est possible que ça soit bloqué, dans ce cas effectuez une resynchronisation SPV [LIEN:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Vous êtes certain de vouloir retirer cet ordre?
popup.warning.tooLargePercentageValue=Vous ne pouvez pas définir un pourcentage de 100% ou plus grand.
popup.warning.examplePercentageValue=Merci de saisir un nombre sous la forme d'un pourcentage tel que \"5.4\" pour 5.4%
@ -1602,13 +1602,13 @@ popup.warning.priceRelay=Relais de prix
popup.warning.seed=seed
popup.warning.mandatoryUpdate.trading=Veuillez faire une mise à jour vers la dernière version de Haveno. Une mise à jour obligatoire a été publiée, laquelle désactive le trading sur les anciennes versions. Veuillez consulter le Forum Haveno pour obtenir plus d'informations.
popup.warning.noFilter=Nous n'avons pas reçu d'object de filtre de la part des noeuds source. Ceci n'est pas une situation attendue. Veuillez informer les développeurs de Haveno
popup.warning.burnBTC=Cette transaction n''est pas possible, car les frais de minage de {0} dépasseraient le montant à transférer de {1}. Veuillez patienter jusqu''à ce que les frais de minage soient de nouveau bas ou jusqu''à ce que vous ayez accumulé plus de BTC à transférer.
popup.warning.burnXMR=Cette transaction n''est pas possible, car les frais de minage de {0} dépasseraient le montant à transférer de {1}. Veuillez patienter jusqu''à ce que les frais de minage soient de nouveau bas ou jusqu''à ce que vous ayez accumulé plus de XMR à transférer.
popup.warning.openOffer.makerFeeTxRejected=La transaction de frais de maker pour l''offre avec ID {0} a été rejetée par le réseau Bitcoin.\nID de transaction={1}.\nL''offre a été retirée pour éviter d''autres problèmes.\nAllez dans \"Paramètres/Info sur le réseau réseau\" et faites une resynchronisation SPV.\nPour obtenir de l''aide, le canal support de l''équipe Haveno disposible sur Keybase.
popup.warning.openOffer.makerFeeTxRejected=La transaction de frais de maker pour l''offre avec ID {0} a été rejetée par le réseau Monero.\nID de transaction={1}.\nL''offre a été retirée pour éviter d''autres problèmes.\nAllez dans \"Paramètres/Info sur le réseau réseau\" et faites une resynchronisation SPV.\nPour obtenir de l''aide, le canal support de l''équipe Haveno disposible sur Keybase.
popup.warning.trade.txRejected.tradeFee=frais de transaction
popup.warning.trade.txRejected.deposit=dépôt
popup.warning.trade.txRejected=La transaction {0} pour le trade qui a pour ID {1} a été rejetée par le réseau Bitcoin.\nID de transaction={2}.\nLe trade a été déplacé vers les échanges échoués.\nAllez dans \"Paramètres/Info sur le réseau\" et effectuez une resynchronisation SPV.\nPour obtenir de l''aide, le canal support de l'équipe Haveno est disponible sur Keybase.
popup.warning.trade.txRejected=La transaction {0} pour le trade qui a pour ID {1} a été rejetée par le réseau Monero.\nID de transaction={2}.\nLe trade a été déplacé vers les échanges échoués.\nAllez dans \"Paramètres/Info sur le réseau\" et effectuez une resynchronisation SPV.\nPour obtenir de l''aide, le canal support de l'équipe Haveno est disponible sur Keybase.
popup.warning.openOfferWithInvalidMakerFeeTx=La transaction de frais de maker pour l''offre avec ID {0} n''est pas valide.\nID de transaction={1}.\nAllez dans \"Paramètres/Info sur le réseau réseau\" et faites une resynchronisation SPV.\nPour obtenir de l''aide, le canal support de l''équipe Haveno est disponible sur Keybase.
@ -1623,7 +1623,7 @@ popup.warn.downGradePrevention=La rétrogradation depuis la version {0} vers la
popup.privateNotification.headline=Notification privée importante!
popup.securityRecommendation.headline=Recommendation de sécurité importante
popup.securityRecommendation.msg=Nous vous rappelons d'envisager d'utiliser la protection par mot de passe pour votre portefeuille si vous ne l'avez pas déjà activé.\n\nIl est également fortement recommandé d'écrire les mots de la seed de portefeuille. Ces mots de la seed sont comme un mot de passe principal pour récupérer votre portefeuille Bitcoin.\nVous trouverez plus d'informations à ce sujet dans l'onglet \"seed du portefeuille\".\n\nDe plus, il est recommandé de sauvegarder le dossier complet des données de l'application dans l'onglet \"Sauvegarde".
popup.securityRecommendation.msg=Nous vous rappelons d'envisager d'utiliser la protection par mot de passe pour votre portefeuille si vous ne l'avez pas déjà activé.\n\nIl est également fortement recommandé d'écrire les mots de la seed de portefeuille. Ces mots de la seed sont comme un mot de passe principal pour récupérer votre portefeuille Monero.\nVous trouverez plus d'informations à ce sujet dans l'onglet \"seed du portefeuille\".\n\nDe plus, il est recommandé de sauvegarder le dossier complet des données de l'application dans l'onglet \"Sauvegarde".
popup.moneroLocalhostNode.msg=Haveno a détecté un nœud Monero en cours d'exécution sur cette machine (sur l'hôte local).\n\nVeuillez vous assurer que le nœud est complètement synchronisé avant de démarrer Haveno.
@ -1678,9 +1678,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Échec de la signature
notification.trade.headline=Notification pour la transaction avec l''ID {0}
notification.ticket.headline=Ticket de support pour l''échange avec l''ID {0}
notification.trade.completed=La transaction est maintenant terminée et vous pouvez retirer vos fonds.
notification.trade.accepted=Votre ordre a été accepté par un BTC {0}.
notification.trade.accepted=Votre ordre a été accepté par un XMR {0}.
notification.trade.unlocked=Votre échange avait au moins une confirmation sur la blockchain.\nVous pouvez effectuer le paiement maintenant.
notification.trade.paymentSent=L'acheteur de BTC a initié le paiement.
notification.trade.paymentSent=L'acheteur de XMR a initié le paiement.
notification.trade.selectTrade=Choisir un trade
notification.trade.peerOpenedDispute=Votre pair de trading a ouvert un {0}.
notification.trade.disputeClosed=Le {0} a été fermé
@ -1699,7 +1699,7 @@ systemTray.show=Montrer la fenêtre de l'application
systemTray.hide=Cacher la fenêtre de l'application
systemTray.info=Informations au sujet de Haveno
systemTray.exit=Sortir
systemTray.tooltip=Haveno: Une plateforme d''échange décentralisée sur le réseau bitcoin
systemTray.tooltip=Haveno: Une plateforme d''échange décentralisée sur le réseau monero
####################################################################
@ -1761,10 +1761,10 @@ peerInfo.age.noRisk=Âge du compte de paiement
peerInfo.age.chargeBackRisk=Temps depuis la signature
peerInfo.unknownAge=Âge inconnu
addressTextField.openWallet=Ouvrir votre portefeuille Bitcoin par défaut
addressTextField.openWallet=Ouvrir votre portefeuille Monero par défaut
addressTextField.copyToClipboard=Copier l'adresse dans le presse-papiers
addressTextField.addressCopiedToClipboard=L'adresse a été copiée dans le presse-papier
addressTextField.openWallet.failed=L'ouverture d'un portefeuille Bitcoin par défaut a échoué. Peut-être que vous n'en avez aucun d'installé?
addressTextField.openWallet.failed=L'ouverture d'un portefeuille Monero par défaut a échoué. Peut-être que vous n'en avez aucun d'installé?
peerInfoIcon.tooltip={0}\nTag: {1}
@ -1855,7 +1855,7 @@ seed.date=Date du portefeuille
seed.restore.title=Restaurer les portefeuilles à partir des mots de la seed
seed.restore=Restaurer les portefeuilles
seed.creationDate=Date de création
seed.warn.walletNotEmpty.msg=Votre portefeuille Bitcoin n'est pas vide.\n\nVous devez vider ce portefeuille avant d'essayer de restaurer un portefeuille plus ancien, en effet mélanger les portefeuilles peut entraîner l'invalidation des sauvegardes.\n\nVeuillez finaliser vos trades, fermer toutes vos offres ouvertes et aller dans la section Fonds pour retirer votre Bitcoin.\nDans le cas où vous ne pouvez pas accéder à votre bitcoin, vous pouvez utiliser l'outil d'urgence afin de vider votre portefeuille.\nPour ouvrir l'outil d'urgence, pressez \"alt + e\" ou \"Cmd/Ctrl + e\".
seed.warn.walletNotEmpty.msg=Votre portefeuille Monero n'est pas vide.\n\nVous devez vider ce portefeuille avant d'essayer de restaurer un portefeuille plus ancien, en effet mélanger les portefeuilles peut entraîner l'invalidation des sauvegardes.\n\nVeuillez finaliser vos trades, fermer toutes vos offres ouvertes et aller dans la section Fonds pour retirer votre Monero.\nDans le cas où vous ne pouvez pas accéder à votre monero, vous pouvez utiliser l'outil d'urgence afin de vider votre portefeuille.\nPour ouvrir l'outil d'urgence, pressez \"alt + e\" ou \"Cmd/Ctrl + e\".
seed.warn.walletNotEmpty.restore=Je veux quand même restaurer.
seed.warn.walletNotEmpty.emptyWallet=Je viderai mes portefeuilles en premier.
seed.warn.notEncryptedAnymore=Vos portefeuilles sont cryptés.\n\nAprès la restauration, les portefeuilles ne seront plus cryptés et vous devrez définir un nouveau mot de passe.\n\nSouhaitez-vous continuer ?
@ -1946,12 +1946,12 @@ payment.checking=Vérification
payment.savings=Épargne
payment.personalId=Pièce d'identité
payment.makeOfferToUnsignedAccount.warning=Avec la récente montée en prix du XMR, soyez informés que vendre {0} ou moins cause un risque plus élevé qu'avant.\n\nIl est hautement recommandé de:\n- faire des offres au dessus de {0}, ainsi vous traiterez uniquement avec des acheteurs signés/de confiance\n- garder les offres pour vendre en desous de {0} à une valeur d'environ 100 USD, cette valeur a (historiquement) découragé les arnaqueurs\n\nLes développeurs de Haveno travaillent sur des meilleurs moyens de sécuriser le modèle de compte de paiement pour des trades plus petits. Rejoignez la discussion ici : [LIEN:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=Avec la récente montée en prix du BTC, soyez informés que vendre {0} ou moins cause un risque plus élevé qu'avant.\n\nIl est hautement recommandé de:\n- prendre les offres d'acheteurs signés uniquement\n- garder les offres pour vendre en desous de {0} à une valeur d'environ 100 USD, cette valeur a (historiquement) découragé les arnaqueurs\n\nLes développeurs de Haveno travaillent sur des meilleurs moyens de sécuriser le modèle de compte de paiement pour des trades plus petits. Rejoignez la discussion ici : [LIEN:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=Avec la récente montée en prix du XMR, soyez informés que vendre {0} ou moins cause un risque plus élevé qu'avant.\n\nIl est hautement recommandé de:\n- prendre les offres d'acheteurs signés uniquement\n- garder les offres pour vendre en desous de {0} à une valeur d'environ 100 USD, cette valeur a (historiquement) découragé les arnaqueurs\n\nLes développeurs de Haveno travaillent sur des meilleurs moyens de sécuriser le modèle de compte de paiement pour des trades plus petits. Rejoignez la discussion ici : [LIEN:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle est un service de transfert d'argent, qui fonctionne bien pour transférer de l'argent vers d'autres banques. \n\n1. Consultez cette page pour voir si (et comment) votre banque coopère avec Zelle: \n[HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Faites particulièrement attention à votre limite de transfert - les limites de versement varient d'une banque à l'autre, et les banques spécifient généralement des limites quotidiennes, hebdomadaires et mensuelles. \n\n3. Si votre banque ne peut pas utiliser Zelle, vous pouvez toujours l'utiliser via l'application mobile Zelle, mais votre limite de transfert sera bien inférieure. \n\n4. Le nom indiqué sur votre compte Haveno doit correspondre à celui du compte Zelle / bancaire. \n\nSi vous ne parvenez pas à réaliser la transaction Zelle comme stipulé dans le contrat commercial, vous risquez de perdre une partie (ou la totalité) de votre marge.\n\nComme Zelle présente un risque élevé de rétrofacturation, il est recommandé aux vendeurs de contacter les acheteurs non signés par e-mail ou SMS pour confirmer que les acheteurs ont le compte Zelle spécifié dans Haveno.
payment.fasterPayments.newRequirements.info=Certaines banques ont déjà commencé à vérifier le nom complet du destinataire du paiement rapide. Votre compte de paiement rapide actuel ne remplit pas le nom complet. \n\nPensez à recréer votre compte de paiement rapide dans Haveno pour fournir un nom complet aux futurs {0} acheteurs. \n\nLors de la recréation d'un compte, assurez-vous de copier l'indicatif bancaire, le numéro de compte et le sel de vérification de l'âge de l'ancien compte vers le nouveau compte. Cela garantira que votre âge du compte et état de signature existant sont conservés.
payment.moneyGram.info=Lors de l'utilisation de MoneyGram, l'acheteur de BTC doit envoyer le numéro d'autorisation et une photo du reçu par email au vendeur de BTC. Le reçu doit clairement mentionner le nom complet du vendeur, le pays, la région et le montant. L'email du vendeur sera donné à l'acheteur durant le processus de transaction.
payment.westernUnion.info=Lors de l'utilisation de Western Union, l'acheteur BTC doit envoyer le MTCN (numéro de suivi) et une photo du reçu par e-mail au vendeur de BTC. Le reçu doit indiquer clairement le nom complet du vendeur, la ville, le pays et le montant. L'acheteur verra ensuite s'afficher l'email du vendeur pendant le processus de transaction.
payment.halCash.info=Lors de l'utilisation de HalCash, l'acheteur de BTC doit envoyer au vendeur de BTC le code HalCash par SMS depuis son téléphone portable.\n\nVeuillez vous assurer de ne pas dépasser le montant maximum que votre banque vous permet d'envoyer avec HalCash. Le montant minimum par retrait est de 10 EUR et le montant maximum est de 600 EUR. Pour les retraits récurrents, il est de 3000 EUR par destinataire par jour et 6000 EUR par destinataire par mois. Veuillez vérifier ces limites auprès de votre banque pour vous assurer qu'elles utilisent les mêmes limites que celles indiquées ici.\n\nLe montant du retrait doit être un multiple de 10 EUR car vous ne pouvez pas retirer d'autres montants à un distributeur automatique. Pendant les phases de create-offer et take-offer l'affichage de l'interface utilisateur ajustera le montant en BTC afin que le montant en euros soit correct. Vous ne pouvez pas utiliser le prix basé sur le marché, car le montant en euros varierait en fonction de l'évolution des prix.\n\nEn cas de litige, l'acheteur de BTC doit fournir la preuve qu'il a envoyé la somme en EUR.
payment.moneyGram.info=Lors de l'utilisation de MoneyGram, l'acheteur de XMR doit envoyer le numéro d'autorisation et une photo du reçu par email au vendeur de XMR. Le reçu doit clairement mentionner le nom complet du vendeur, le pays, la région et le montant. L'email du vendeur sera donné à l'acheteur durant le processus de transaction.
payment.westernUnion.info=Lors de l'utilisation de Western Union, l'acheteur XMR doit envoyer le MTCN (numéro de suivi) et une photo du reçu par e-mail au vendeur de XMR. Le reçu doit indiquer clairement le nom complet du vendeur, la ville, le pays et le montant. L'acheteur verra ensuite s'afficher l'email du vendeur pendant le processus de transaction.
payment.halCash.info=Lors de l'utilisation de HalCash, l'acheteur de XMR doit envoyer au vendeur de XMR le code HalCash par SMS depuis son téléphone portable.\n\nVeuillez vous assurer de ne pas dépasser le montant maximum que votre banque vous permet d'envoyer avec HalCash. Le montant minimum par retrait est de 10 EUR et le montant maximum est de 600 EUR. Pour les retraits récurrents, il est de 3000 EUR par destinataire par jour et 6000 EUR par destinataire par mois. Veuillez vérifier ces limites auprès de votre banque pour vous assurer qu'elles utilisent les mêmes limites que celles indiquées ici.\n\nLe montant du retrait doit être un multiple de 10 EUR car vous ne pouvez pas retirer d'autres montants à un distributeur automatique. Pendant les phases de create-offer et take-offer l'affichage de l'interface utilisateur ajustera le montant en XMR afin que le montant en euros soit correct. Vous ne pouvez pas utiliser le prix basé sur le marché, car le montant en euros varierait en fonction de l'évolution des prix.\n\nEn cas de litige, l'acheteur de XMR doit fournir la preuve qu'il a envoyé la somme en EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Sachez que tous les virements bancaires comportent un certain risque de rétrofacturation. Pour mitiger ce risque, Haveno fixe des limites par trade en fonction du niveau estimé de risque de rétrofacturation pour la méthode de paiement utilisée.\n\nPour cette méthode de paiement, votre limite de trading pour l'achat et la vente est de {2}.\n\nCette limite ne s'applique qu'à la taille d'une seule transaction. Vous pouvez effectuer autant de transactions que vous le souhaitez.\n\nVous trouverez plus de détails sur le wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1967,7 +1967,7 @@ payment.amazonGiftCard.upgrade=La méthode de paiement via carte cadeaux Amazon
payment.account.amazonGiftCard.addCountryInfo={0}\nVotre compte carte cadeau Amazon existant ({1}) n'a pas de pays spécifé.\nVeuillez entrer le pays de votre compte carte cadeau Amazon pour mettre à jour les données de votre compte.\nCeci n'affectera pas le statut de l'âge du compte.
payment.amazonGiftCard.upgrade.headLine=Mettre à jour le compte des cartes cadeaux Amazon
payment.usPostalMoneyOrder.info=Pour échanger US Postal Money Orders (USPMO) sur Haveno, vous devez comprendre les termes suivants: \n\n- L'acheteur BTC doit écrire le nom du vendeur BTC dans les champs expéditeur et bénéficiaire, et prendre une photo à haute résolution de USPMO et de l'enveloppe avec une preuve de suivi avant l'envoi. \n\n- L'acheteur BTC doit envoyer USPMO avec la confirmation de livraison au vendeur BTC. \n\nSi une médiation est nécessaire, ou s'il y a un différend de transaction, vous devrez envoyer la photo avec le numéro USPMO, le numéro du bureau de poste et le montant de la transaction au médiateur Haveno ou à l'agent de remboursement afin qu'ils puissent vérifier les détails sur le site web de la poste américaine. \n\nSi vous ne fournissez pas les données de transaction requises, vous perdrez directement dans le différend. \n\nDans tous les cas de litige, l'expéditeur de l'USPMO assume à 100% la responsabilité lors de la fourniture de preuves / certification au médiateur ou à l'arbitre. \n\nSi vous ne comprenez pas ces exigences, veuillez ne pas échanger USPMO sur Haveno.
payment.usPostalMoneyOrder.info=Pour échanger US Postal Money Orders (USPMO) sur Haveno, vous devez comprendre les termes suivants: \n\n- L'acheteur XMR doit écrire le nom du vendeur XMR dans les champs expéditeur et bénéficiaire, et prendre une photo à haute résolution de USPMO et de l'enveloppe avec une preuve de suivi avant l'envoi. \n\n- L'acheteur XMR doit envoyer USPMO avec la confirmation de livraison au vendeur XMR. \n\nSi une médiation est nécessaire, ou s'il y a un différend de transaction, vous devrez envoyer la photo avec le numéro USPMO, le numéro du bureau de poste et le montant de la transaction au médiateur Haveno ou à l'agent de remboursement afin qu'ils puissent vérifier les détails sur le site web de la poste américaine. \n\nSi vous ne fournissez pas les données de transaction requises, vous perdrez directement dans le différend. \n\nDans tous les cas de litige, l'expéditeur de l'USPMO assume à 100% la responsabilité lors de la fourniture de preuves / certification au médiateur ou à l'arbitre. \n\nSi vous ne comprenez pas ces exigences, veuillez ne pas échanger USPMO sur Haveno.
payment.payByMail.info=Effectuer un échange en utilisant Pay by Mail sur Haveno nécessite que vous compreniez ce qui suit :\n\
\n\
@ -1997,7 +1997,7 @@ payment.f2f.city.prompt=La ville sera affichée en même temps que l'ordre
payment.shared.optionalExtra=Informations complémentaires facultatives
payment.shared.extraInfo=Informations complémentaires
payment.shared.extraInfo.prompt=Définissez n'importe quels termes spécifiques, conditons ou détails que vous souhaiteriez voir affichés avec vos offres pour ce compte de paiement (les utilisateurs verront ces informations avant d'accepter les offres).
payment.f2f.info=Les transactions en 'face à face' ont des règles différentes et comportent des risques différents de ceux des transactions en ligne.\n\nLes principales différences sont les suivantes:\n● Les pairs de trading doivent échanger des informations sur le lieu et l'heure de la réunion en utilisant les coordonnées de contanct qu'ils ont fournies.\n● Les pairs de trading doivent apporter leur ordinateur portable et faire la confirmation du 'paiement envoyé' et du 'paiement reçu' sur le lieu de la réunion.\n● Si un maker a des 'termes et conditions' spéciaux, il doit les indiquer dans le champ 'Informations supplémentaires' dans le compte.\n● En acceptant une offre, le taker accepte les 'termes et conditions' du maker.\n● En cas de litige, le médiateur ou l'arbitre ne peut pas beaucoup aider car il est généralement difficile d'obtenir des preuves irréfutables de ce qui s'est passé lors de la réunion. Dans ce cas, les fonds en BTC peuvent être bloqué s indéfiniment tant que les pairs ne parviennent pas à un accord.\n\nPour vous assurer de bien comprendre les spécificités des transactions 'face à face', veuillez lire les instructions et les recommandations à [LIEN:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info=Les transactions en 'face à face' ont des règles différentes et comportent des risques différents de ceux des transactions en ligne.\n\nLes principales différences sont les suivantes:\n● Les pairs de trading doivent échanger des informations sur le lieu et l'heure de la réunion en utilisant les coordonnées de contanct qu'ils ont fournies.\n● Les pairs de trading doivent apporter leur ordinateur portable et faire la confirmation du 'paiement envoyé' et du 'paiement reçu' sur le lieu de la réunion.\n● Si un maker a des 'termes et conditions' spéciaux, il doit les indiquer dans le champ 'Informations supplémentaires' dans le compte.\n● En acceptant une offre, le taker accepte les 'termes et conditions' du maker.\n● En cas de litige, le médiateur ou l'arbitre ne peut pas beaucoup aider car il est généralement difficile d'obtenir des preuves irréfutables de ce qui s'est passé lors de la réunion. Dans ce cas, les fonds en XMR peuvent être bloqué s indéfiniment tant que les pairs ne parviennent pas à un accord.\n\nPour vous assurer de bien comprendre les spécificités des transactions 'face à face', veuillez lire les instructions et les recommandations à [LIEN:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Ouvrir la page web
payment.f2f.offerbook.tooltip.countryAndCity=Pays et ville: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Informations complémentaires: {0}
@ -2009,7 +2009,7 @@ payment.japan.recipient=Nom
payment.australia.payid=ID de paiement
payment.payid=ID de paiement lié à une institution financière. Comme l'addresse email ou le téléphone portable.
payment.payid.info=Un PayID, tel qu'un numéro de téléphone, une adresse électronique ou un numéro d'entreprise australien (ABN), que vous pouvez lier en toute sécurité à votre compte bancaire, votre crédit mutuel ou votre société de crédit immobilier. Vous devez avoir déjà créé un PayID auprès de votre institution financière australienne. Les institutions financières émettrices et réceptrices doivent toutes deux prendre en charge PayID. Pour plus d'informations, veuillez consulter [LIEN:https://payid.com.au/faqs/].
payment.amazonGiftCard.info=Pour payer avec une carte cadeau Amazon eGift Card, vous devrez envoyer une carte cadeau Amazon eGift Card au vendeur de BTC via votre compte Amazon. \n\nHaveno indiquera l'adresse e-mail ou le numéro de téléphone du vendeur BTC où la carte cadeau doit être envoyée, et vous devrez inclure l'ID du trade dans le champ de messagerie de la carte cadeau. Veuillez consulter le wiki [LIEN:https://haveno.exchange/wiki/Amazon_eGift_card] pour plus de détails et pour les meilleures pratiques à adopter. \n\nTrois remarques importantes :\n- essayez d'envoyer des cartes-cadeaux d'un montant inférieur ou égal à 100 USD, car Amazon est connu pour signaler les cartes-cadeaux plus importantes comme frauduleuses\n- essayez d'utiliser un texte créatif et crédible pour le message de la carte cadeau (par exemple, "Joyeux anniversaire Susan !") ainsi que l'ID du trade (et utilisez le chat du trader pour indiquer à votre pair de trading le texte de référence que vous avez choisi afin qu'il puisse vérifier votre paiement).\n- Les cartes cadeaux électroniques Amazon ne peuvent être échangées que sur le site Amazon où elles ont été achetées (par exemple, une carte cadeau achetée sur amazon.it ne peut être échangée que sur amazon.it).
payment.amazonGiftCard.info=Pour payer avec une carte cadeau Amazon eGift Card, vous devrez envoyer une carte cadeau Amazon eGift Card au vendeur de XMR via votre compte Amazon. \n\nHaveno indiquera l'adresse e-mail ou le numéro de téléphone du vendeur XMR où la carte cadeau doit être envoyée, et vous devrez inclure l'ID du trade dans le champ de messagerie de la carte cadeau. Veuillez consulter le wiki [LIEN:https://haveno.exchange/wiki/Amazon_eGift_card] pour plus de détails et pour les meilleures pratiques à adopter. \n\nTrois remarques importantes :\n- essayez d'envoyer des cartes-cadeaux d'un montant inférieur ou égal à 100 USD, car Amazon est connu pour signaler les cartes-cadeaux plus importantes comme frauduleuses\n- essayez d'utiliser un texte créatif et crédible pour le message de la carte cadeau (par exemple, "Joyeux anniversaire Susan !") ainsi que l'ID du trade (et utilisez le chat du trader pour indiquer à votre pair de trading le texte de référence que vous avez choisi afin qu'il puisse vérifier votre paiement).\n- Les cartes cadeaux électroniques Amazon ne peuvent être échangées que sur le site Amazon où elles ont été achetées (par exemple, une carte cadeau achetée sur amazon.it ne peut être échangée que sur amazon.it).
# We use constants from the code so we do not use our normal naming convention
@ -2167,7 +2167,7 @@ validation.zero=La saisie d'une valeur égale à 0 n'est pas autorisé.
validation.negative=Une valeur négative n'est pas autorisée.
validation.traditional.tooSmall=La saisie d'une valeur plus petite que le montant minimal possible n'est pas autorisée.
validation.traditional.tooLarge=La saisie d'une valeur supérieure au montant maximal possible n'est pas autorisée.
validation.xmr.fraction=L'entrée résultera dans une valeur bitcoin plus petite qu'1 satoshi
validation.xmr.fraction=L'entrée résultera dans une valeur monero plus petite qu'1 satoshi
validation.xmr.tooLarge=La saisie d''une valeur supérieure à {0} n''est pas autorisée.
validation.xmr.tooSmall=La saisie d''une valeur inférieure à {0} n''est pas autorisée.
validation.passwordTooShort=Le mot de passe que vous avez saisi est trop court. Il doit comporter un minimum de 8 caractères.
@ -2177,10 +2177,10 @@ validation.sortCodeChars={0} doit être composer de {1} caractères.
validation.bankIdNumber={0} doit être composer de {1} chiffres.
validation.accountNr=Le numéro du compte doit comporter {0} chiffres.
validation.accountNrChars=Le numéro du compte doit comporter {0} caractères.
validation.btc.invalidAddress=L''adresse n''est pas correcte. Veuillez vérifier le format de l''adresse.
validation.xmr.invalidAddress=L''adresse n''est pas correcte. Veuillez vérifier le format de l''adresse.
validation.integerOnly=Veuillez seulement entrer des nombres entiers.
validation.inputError=Votre saisie a causé une erreur:\n{0}
validation.btc.exceedsMaxTradeLimit=Votre seuil maximum d''échange est {0}.
validation.xmr.exceedsMaxTradeLimit=Votre seuil maximum d''échange est {0}.
validation.nationalAccountId={0} doit être composé de {1} nombres.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Capisco
shared.na=N/A
shared.shutDown=Spegni
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=Acquista bitcoin
shared.sellBitcoin=Vendi bitcoin
shared.buyMonero=Acquista monero
shared.sellMonero=Vendi monero
shared.buyCurrency=Acquista {0}
shared.sellCurrency=Vendi {0}
shared.buyingBTCWith=acquistando BTC con {0}
shared.sellingBTCFor=vendendo BTC per {0}
shared.buyingCurrency=comprando {0} (vendendo BTC)
shared.sellingCurrency=vendendo {0} (comprando BTC)
shared.buyingXMRWith=acquistando XMR con {0}
shared.sellingXMRFor=vendendo XMR per {0}
shared.buyingCurrency=comprando {0} (vendendo XMR)
shared.sellingCurrency=vendendo {0} (comprando XMR)
shared.buy=compra
shared.sell=vendi
shared.buying=comprando
@ -93,7 +93,7 @@ shared.amountMinMax=Importo (min - max)
shared.amountHelp=Se un'offerta ha un valore massimo e minimo definito, puoi scambiare qualsiasi valore compreso in questo range
shared.remove=Rimuovi
shared.goTo=Vai a {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Rimuovi offerta
shared.dontRemoveOffer=Non rimuovere offerta
shared.editOffer=Modifica offerta
@ -105,14 +105,14 @@ shared.nextStep=Passo successivo
shared.selectTradingAccount=Seleziona conto di trading
shared.fundFromSavingsWalletButton=Trasferisci fondi dal portafoglio Haveno
shared.fundFromExternalWalletButton=Apri il tuo portafoglio esterno per aggiungere fondi
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=Sotto % del prezzo di mercato
shared.aboveInPercent=Sopra % del prezzo di mercato
shared.enterPercentageValue=Immetti il valore %
shared.OR=OPPURE
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=In attesa dei fondi...
shared.TheBTCBuyer=L'acquirente di BTC
shared.TheXMRBuyer=L'acquirente di XMR
shared.You=Tu
shared.sendingConfirmation=Invio della conferma in corso...
shared.sendingConfirmationAgain=Invia nuovamente la conferma
@ -125,7 +125,7 @@ shared.notUsedYet=Non ancora usato
shared.date=Data
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=Copia negli appunti
shared.language=Lingua
shared.country=Paese
@ -169,7 +169,7 @@ shared.payoutTxId=ID transazione di pagamento
shared.contractAsJson=Contratto in formato JSON
shared.viewContractAsJson=Visualizza il contratto in formato JSON
shared.contract.title=Contratto per lo scambio con ID: {0}
shared.paymentDetails=Dettagli pagamento BTC {0}:
shared.paymentDetails=Dettagli pagamento XMR {0}:
shared.securityDeposit=Deposito di sicurezza
shared.yourSecurityDeposit=Il tuo deposito di sicurezza
shared.contract=Contratto
@ -179,7 +179,7 @@ shared.messageSendingFailed=Invio del messaggio fallito. Errore: {0}
shared.unlock=Sblocca
shared.toReceive=per ricevere
shared.toSpend=da spendere
shared.btcAmount=Importo BTC
shared.xmrAmount=Importo XMR
shared.yourLanguage=Le tue lingue
shared.addLanguage=Aggiungi lingua
shared.total=Totale
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=Mercato
mainView.menu.buyBtc=Compra BTC
mainView.menu.sellBtc=Vendi BTC
mainView.menu.buyXmr=Compra XMR
mainView.menu.sellXmr=Vendi XMR
mainView.menu.portfolio=Portafoglio
mainView.menu.funds=Fondi
mainView.menu.support=Supporto
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Riservati
mainView.balance.pending.short=Bloccati
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connessione alla rete Bitcoin
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connessione alla rete Monero
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
mainView.footer.xmrInfo.connectingTo=Connessione a
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Il bootstrap sulla rete Haven
mainView.p2pNetworkWarnMsg.noNodesAvailable=Non ci sono nodi seed o peer persistenti disponibili per la richiesta di dati.\nControlla la tua connessione Internet o prova a riavviare l'applicazione.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Connessione alla rete Haveno non riuscita (errore segnalato: {0}).\nControlla la tua connessione Internet o prova a riavviare l'applicazione.
mainView.walletServiceErrorMsg.timeout=Connessione alla rete Bitcoin fallita a causa di un timeout.
mainView.walletServiceErrorMsg.connectionError=Connessione alla rete Bitcoin fallita a causa di un errore: {0}
mainView.walletServiceErrorMsg.timeout=Connessione alla rete Monero fallita a causa di un timeout.
mainView.walletServiceErrorMsg.connectionError=Connessione alla rete Monero fallita a causa di un errore: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Una transazione è stata rifiutata dalla rete.\n\n{0}
mainView.networkWarning.allConnectionsLost=Hai perso la connessione a tutti i {0} peer di rete.\nForse hai perso la connessione a Internet o il computer era in modalità standby.
mainView.networkWarning.localhostBitcoinLost=Hai perso la connessione al nodo Bitcoin in localhost.\nRiavvia l'applicazione Haveno per connetterti ad altri nodi Bitcoin o riavvia il nodo Bitcoin in localhost.
mainView.networkWarning.localhostMoneroLost=Hai perso la connessione al nodo Monero in localhost.\nRiavvia l'applicazione Haveno per connetterti ad altri nodi Monero o riavvia il nodo Monero in localhost.
mainView.version.update=(Aggiornamento disponibile)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Acquista {0}
market.offerBook.sellWithTraditional=Vendi {0}
market.offerBook.sellOffersHeaderLabel=Vendi {0} a
market.offerBook.buyOffersHeaderLabel=Compra {0} da
market.offerBook.buy=Voglio comprare bitcoin
market.offerBook.sell=Voglio vendere bitcoin
market.offerBook.buy=Voglio comprare monero
market.offerBook.sell=Voglio vendere monero
# SpreadView
market.spread.numberOfOffersColumn=Tutte le offerte ({0})
market.spread.numberOfBuyOffersColumn=Acquista BTC ({0})
market.spread.numberOfSellOffersColumn=Vendi BTC ({0})
market.spread.totalAmountColumn=Totale BTC ({0})
market.spread.numberOfBuyOffersColumn=Acquista XMR ({0})
market.spread.numberOfSellOffersColumn=Vendi XMR ({0})
market.spread.totalAmountColumn=Totale XMR ({0})
market.spread.spreadColumn=Spread
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=N. di offerte: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Crea una nuova offerta per comprare {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=L'importo è stato arrotondato per aumentare la
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Inserisci quantità in BTC
createOffer.amount.prompt=Inserisci quantità in XMR
createOffer.price.prompt=Inserisci prezzo
createOffer.volume.prompt=Inserisci importo in {0}
createOffer.amountPriceBox.amountDescription=Quantità di BTC a {0}
createOffer.amountPriceBox.amountDescription=Quantità di XMR a {0}
createOffer.amountPriceBox.buy.volumeDescription=Quantità in {0} da spendere
createOffer.amountPriceBox.sell.volumeDescription=Quantità in {0} da ricevere
createOffer.amountPriceBox.minAmountDescription=Quantità minima di BTC
createOffer.amountPriceBox.minAmountDescription=Quantità minima di XMR
createOffer.securityDeposit.prompt=Deposito di sicurezza
createOffer.fundsBox.title=Finanzia la tua offerta
createOffer.fundsBox.offerFee=Commissione di scambio
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Otterrai sempre il {0}% in più rispetto a
createOffer.info.buyBelowMarketPrice=Pagherai sempre il {0}% in meno rispetto al prezzo di mercato corrente poiché il prezzo della tua offerta verrà costantemente aggiornato.
createOffer.warning.sellBelowMarketPrice=Otterrai sempre il {0}% in meno rispetto al prezzo di mercato corrente poiché il prezzo della tua offerta verrà costantemente aggiornato.
createOffer.warning.buyAboveMarketPrice=Pagherai sempre il {0}% in più rispetto al prezzo di mercato corrente poiché il prezzo della tua offerta verrà costantemente aggiornato.
createOffer.tradeFee.descriptionBTCOnly=Commissione di scambio
createOffer.tradeFee.descriptionXMROnly=Commissione di scambio
createOffer.tradeFee.descriptionBSQEnabled=Seleziona la valuta della commissione di scambio
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Viene utilizzato il minimo deposito cauzional
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Inserisci importo in BTC
takeOffer.amountPriceBox.buy.amountDescription=Importo di BTC da vendere
takeOffer.amountPriceBox.sell.amountDescription=Importo di BTC da acquistare
takeOffer.amountPriceBox.priceDescription=Prezzo per bitcoin in {0}
takeOffer.amount.prompt=Inserisci importo in XMR
takeOffer.amountPriceBox.buy.amountDescription=Importo di XMR da vendere
takeOffer.amountPriceBox.sell.amountDescription=Importo di XMR da acquistare
takeOffer.amountPriceBox.priceDescription=Prezzo per monero in {0}
takeOffer.amountPriceBox.amountRangeDescription=Range di importo possibile
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=L'importo che hai inserito supera il numero di decimali permessi.\nL'importo è stato regolato a 4 decimali.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=L'importo che hai inserito supera il numero di decimali permessi.\nL'importo è stato regolato a 4 decimali.
takeOffer.validation.amountSmallerThanMinAmount=L'importo non può essere più piccolo dell'importo minimo definito nell'offerta.
takeOffer.validation.amountLargerThanOfferAmount=L'importo inserito non può essere più alto dell'importo definito nell'offerta.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Questo importo inserito andrà a creare un resto di basso valore per il venditore di BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Questo importo inserito andrà a creare un resto di basso valore per il venditore di XMR.
takeOffer.fundsBox.title=Finanzia il tuo scambio
takeOffer.fundsBox.isOfferAvailable=Controlla se l'offerta è disponibile ...
takeOffer.fundsBox.tradeAmount=Importo da vendere
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=La transazione di deposito non è ancora
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Trasferisci dal tuo portafoglio esterno {0}\n{1} al venditore BTC.\n\n
portfolio.pending.step2_buyer.crypto=Trasferisci dal tuo portafoglio esterno {0}\n{1} al venditore XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Vai in banca e paga {0} al venditore BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUISITI IMPORTANTI:\nDopo aver effettuato il pagamento scrivi sulla ricevuta cartacea: NESSUN RIMBORSO.\nQuindi strappalo in 2 parti, fai una foto e inviala all'indirizzo e-mail del venditore BTC.
portfolio.pending.step2_buyer.cash=Vai in banca e paga {0} al venditore XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUISITI IMPORTANTI:\nDopo aver effettuato il pagamento scrivi sulla ricevuta cartacea: NESSUN RIMBORSO.\nQuindi strappalo in 2 parti, fai una foto e inviala all'indirizzo e-mail del venditore XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Si prega di pagare {0} al venditore BTC utilizzando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUISITO IMPORTANTE:\nDopo aver effettuato il pagamento, invia il numero di autorizzazione e una foto della ricevuta via e-mail al venditore BTC.\nLa ricevuta deve mostrare chiaramente il nome completo, il paese, lo stato e l'importo del venditore. L'email del venditore è: {0}.
portfolio.pending.step2_buyer.moneyGram=Si prega di pagare {0} al venditore XMR utilizzando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUISITO IMPORTANTE:\nDopo aver effettuato il pagamento, invia il numero di autorizzazione e una foto della ricevuta via e-mail al venditore XMR.\nLa ricevuta deve mostrare chiaramente il nome completo, il paese, lo stato e l'importo del venditore. L'email del venditore è: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Si prega di pagare {0} al venditore BTC utilizzando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUISITO IMPORTANTE:\nDopo aver effettuato il pagamento, invia l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail al venditore BTC.\nLa ricevuta deve mostrare chiaramente il nome completo, la città, il paese e l'importo del venditore. L'email del venditore è: {0}.
portfolio.pending.step2_buyer.westernUnion=Si prega di pagare {0} al venditore XMR utilizzando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUISITO IMPORTANTE:\nDopo aver effettuato il pagamento, invia l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail al venditore XMR.\nLa ricevuta deve mostrare chiaramente il nome completo, la città, il paese e l'importo del venditore. L'email del venditore è: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Invia {0} tramite \"Vaglia Postale Statunitense\" al venditore BTC.\n\n
portfolio.pending.step2_buyer.postal=Invia {0} tramite \"Vaglia Postale Statunitense\" al venditore XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Contatta il venditore BTC tramite il contatto fornito e organizza un incontro per pagare {0}.\n\n
portfolio.pending.step2_buyer.f2f=Contatta il venditore XMR tramite il contatto fornito e organizza un incontro per pagare {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Inizia il pagamento utilizzando {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Importo da trasferire
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=Il tuo conto di pagamento da utilizza
portfolio.pending.step2_buyer.paymentSent=Il pagamento è iniziato
portfolio.pending.step2_buyer.warn=Non hai ancora effettuato il tuo pagamento {0}!\nSi prega di notare che lo scambio è stato completato da {1}.
portfolio.pending.step2_buyer.openForDispute=Non hai completato il pagamento!\nÈ trascorso il massimo periodo di scambio. Si prega di contattare il mediatore per assistenza.
portfolio.pending.step2_buyer.paperReceipt.headline=Hai inviato la ricevuta cartacea al venditore BTC?
portfolio.pending.step2_buyer.paperReceipt.msg=Ricorda:\nDevi scrivere sulla ricevuta cartacea: NESSUN RIMBORSO.\nQuindi strappala in 2 parti, fai una foto e inviala all'indirizzo e-mail del venditore BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=Hai inviato la ricevuta cartacea al venditore XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Ricorda:\nDevi scrivere sulla ricevuta cartacea: NESSUN RIMBORSO.\nQuindi strappala in 2 parti, fai una foto e inviala all'indirizzo e-mail del venditore XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Invia numero di autorizzazione e ricevuta
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=È necessario inviare il numero di Autorizzazione e una foto della ricevuta via e-mail al venditore BTC.\nLa ricevuta deve indicare chiaramente il nome completo, il paese, lo stato e l'importo del venditore. L'email del venditore è: {0}.\n\nHai inviato il numero di Autorizzazione e il contratto al venditore?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=È necessario inviare il numero di Autorizzazione e una foto della ricevuta via e-mail al venditore XMR.\nLa ricevuta deve indicare chiaramente il nome completo, il paese, lo stato e l'importo del venditore. L'email del venditore è: {0}.\n\nHai inviato il numero di Autorizzazione e il contratto al venditore?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Invia MTCN e ricevuta
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Devi inviare l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail al venditore BTC.\nLa ricevuta deve indicare chiaramente il nome completo, la città, il paese e l'importo del venditore. L'email del venditore è: {0}.\n\nHai inviato l'MTCN e la ricevuta al venditore?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Devi inviare l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail al venditore XMR.\nLa ricevuta deve indicare chiaramente il nome completo, la città, il paese e l'importo del venditore. L'email del venditore è: {0}.\n\nHai inviato l'MTCN e la ricevuta al venditore?
portfolio.pending.step2_buyer.halCashInfo.headline=Invia il codice HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=È necessario inviare un messaggio di testo con il codice HalCash e l'ID dello scambio ({0}) al venditore BTC.\nIl numero di cellulare del venditore è {1}.\n\nHai inviato il codice al venditore?
portfolio.pending.step2_buyer.halCashInfo.msg=È necessario inviare un messaggio di testo con il codice HalCash e l'ID dello scambio ({0}) al venditore XMR.\nIl numero di cellulare del venditore è {1}.\n\nHai inviato il codice al venditore?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Alcune banche potrebbero richiedere il nome del destinatario. Gli account di Pagamento Veloci creati dai vecchi client Haveno non forniscono il nome del destinatario, quindi (se necessario) utilizza la chat dell scambio per fartelo comunicare.
portfolio.pending.step2_buyer.confirmStart.headline=Conferma di aver avviato il pagamento
portfolio.pending.step2_buyer.confirmStart.msg=Hai avviato il pagamento {0} al tuo partner commerciale?
portfolio.pending.step2_buyer.confirmStart.yes=Sì, ho avviato il pagamento
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=In attesa del pagamento
portfolio.pending.step2_seller.f2fInfo.headline=Informazioni di contatto dell'acquirente
portfolio.pending.step2_seller.waitPayment.msg=La transazione di deposito necessita di almeno una conferma blockchain.\nDevi attendere fino a quando l'acquirente BTC invia il pagamento {0}.
portfolio.pending.step2_seller.warn=L'acquirente BTC non ha ancora effettuato il pagamento {0}.\nDevi aspettare fino a quando non invia il pagamento.\nSe lo scambio non sarà completato il {1}, l'arbitro comincierà ad indagare.
portfolio.pending.step2_seller.openForDispute=L'acquirente BTC non ha ancora inviato il pagamento!\nIl periodo massimo consentito per lo scambio è trascorso.\nPuoi aspettare più a lungo e dare più tempo al partner di scambio oppure puoi contattare il mediatore per ricevere assistenza.
portfolio.pending.step2_seller.waitPayment.msg=La transazione di deposito necessita di almeno una conferma blockchain.\nDevi attendere fino a quando l'acquirente XMR invia il pagamento {0}.
portfolio.pending.step2_seller.warn=L'acquirente XMR non ha ancora effettuato il pagamento {0}.\nDevi aspettare fino a quando non invia il pagamento.\nSe lo scambio non sarà completato il {1}, l'arbitro comincierà ad indagare.
portfolio.pending.step2_seller.openForDispute=L'acquirente XMR non ha ancora inviato il pagamento!\nIl periodo massimo consentito per lo scambio è trascorso.\nPuoi aspettare più a lungo e dare più tempo al partner di scambio oppure puoi contattare il mediatore per ricevere assistenza.
tradeChat.chatWindowTitle=Finestra di chat per scambi con ID '' {0} ''
tradeChat.openChat=Apri la finestra di chat
tradeChat.rules=Puoi comunicare con il tuo peer di trading per risolvere potenziali problemi con questo scambio.\nNon è obbligatorio rispondere nella chat.\nSe un trader viola una delle seguenti regole, apri una controversia ed effettua una segnalazione al mediatore o all'arbitro.\n\nRegole della chat:\n● Non inviare nessun link (rischio di malware). È possibile inviare l'ID transazione e il nome di un block explorer.\n● Non inviare parole del seed, chiavi private, password o altre informazioni sensibili!\n● Non incoraggiare il trading al di fuori di Haveno (non garantisce nessuna sicurezza).\n● Non intraprendere alcuna forma di tentativo di frode di ingegneria sociale.\n● Se un peer non risponde e preferisce non comunicare tramite chat, rispettane la decisione.\n● Limita l'ambito della conversazione allo scambio. Questa chat non è una sostituzione di messenger o un troll-box.\n● Mantieni la conversazione amichevole e rispettosa.\n 
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=Il peer ha confermato la ricezione de messaggio
# suppress inspection "UnusedProperty"
message.state.FAILED=Invio del messaggio fallito
portfolio.pending.step3_buyer.wait.headline=Attendi la conferma del pagamento del venditore BTC
portfolio.pending.step3_buyer.wait.info=In attesa della conferma del venditore BTC per la ricezione del pagamento {0}.
portfolio.pending.step3_buyer.wait.headline=Attendi la conferma del pagamento del venditore XMR
portfolio.pending.step3_buyer.wait.info=In attesa della conferma del venditore XMR per la ricezione del pagamento {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Stato del messaggio di pagamento avviato
portfolio.pending.step3_buyer.warn.part1a=sulla {0} blockchain
portfolio.pending.step3_buyer.warn.part1b=presso il tuo fornitore di servizi di pagamento (ad es. banca)
portfolio.pending.step3_buyer.warn.part2=Il venditore BTC non ha ancora confermato il pagamento. Controlla {0} se l'invio del pagamento è andato a buon fine.
portfolio.pending.step3_buyer.openForDispute=Il venditore BTC non ha confermato il tuo pagamento! Il max. periodo per lo scambio è trascorso. Puoi aspettare più a lungo e dare più tempo al peer di trading o richiedere assistenza al mediatore.
portfolio.pending.step3_buyer.warn.part2=Il venditore XMR non ha ancora confermato il pagamento. Controlla {0} se l'invio del pagamento è andato a buon fine.
portfolio.pending.step3_buyer.openForDispute=Il venditore XMR non ha confermato il tuo pagamento! Il max. periodo per lo scambio è trascorso. Puoi aspettare più a lungo e dare più tempo al peer di trading o richiedere assistenza al mediatore.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Il tuo partner commerciale ha confermato di aver avviato il pagamento {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=sul tuo {0} blockchain explorer preferito
portfolio.pending.step3_seller.crypto.wallet=sul tuo portafoglio {0}
portfolio.pending.step3_seller.crypto={0}Controlla {1} se la transazione è indirizzata correttamente al tuo indirizzo di ricezione\n{2}\nha già sufficienti conferme sulla blockchain.\nL'importo del pagamento deve essere {3}\n\nPuoi copiare e incollare il tuo indirizzo {4} dalla schermata principale dopo aver chiuso questo popup.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=Poiché il pagamento viene effettuato tramite deposito in contanti, l'acquirente BTC deve scrivere \"NESSUN RIMBORSO\" sulla ricevuta cartacea, strapparlo in 2 parti e inviarti una foto via e-mail.\n\nPer evitare il rischio di storno, conferma solamente se hai ricevuto l'e-mail e se sei sicuro che la ricevuta cartacea sia valida.\nSe non sei sicuro, {0}
portfolio.pending.step3_seller.moneyGram=L'acquirente deve inviarti il numero di autorizzazione e una foto della ricevuta via e-mail.\nLa ricevuta deve mostrare chiaramente il tuo nome completo, il paese, lo stato e l'importo. Controlla nella tua e-mail se hai ricevuto il numero di autorizzazione.\n\nDopo aver chiuso il popup, vedrai il nome e l'indirizzo dell'acquirente BTC per effettuare il ritiro dell'importo da MoneyGram.\n\nConferma la ricevuta solo dopo aver ricevuto con successo i soldi!
portfolio.pending.step3_seller.westernUnion=L'acquirente deve inviarti l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail.\nLa ricevuta deve mostrare chiaramente il tuo nome completo, la città, il paese e l'importo. Controlla nella tua e-mail se hai ricevuto l'MTCN.\n\nDopo aver chiuso il popup, vedrai il nome e l'indirizzo dell'acquirente BTC per effettuare il ritiro dell'importo da Western Union.\n\nConferma la ricevuta solo dopo aver ricevuto con successo i soldi!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=Poiché il pagamento viene effettuato tramite deposito in contanti, l'acquirente XMR deve scrivere \"NESSUN RIMBORSO\" sulla ricevuta cartacea, strapparlo in 2 parti e inviarti una foto via e-mail.\n\nPer evitare il rischio di storno, conferma solamente se hai ricevuto l'e-mail e se sei sicuro che la ricevuta cartacea sia valida.\nSe non sei sicuro, {0}
portfolio.pending.step3_seller.moneyGram=L'acquirente deve inviarti il numero di autorizzazione e una foto della ricevuta via e-mail.\nLa ricevuta deve mostrare chiaramente il tuo nome completo, il paese, lo stato e l'importo. Controlla nella tua e-mail se hai ricevuto il numero di autorizzazione.\n\nDopo aver chiuso il popup, vedrai il nome e l'indirizzo dell'acquirente XMR per effettuare il ritiro dell'importo da MoneyGram.\n\nConferma la ricevuta solo dopo aver ricevuto con successo i soldi!
portfolio.pending.step3_seller.westernUnion=L'acquirente deve inviarti l'MTCN (numero di tracciamento) e una foto della ricevuta via e-mail.\nLa ricevuta deve mostrare chiaramente il tuo nome completo, la città, il paese e l'importo. Controlla nella tua e-mail se hai ricevuto l'MTCN.\n\nDopo aver chiuso il popup, vedrai il nome e l'indirizzo dell'acquirente XMR per effettuare il ritiro dell'importo da Western Union.\n\nConferma la ricevuta solo dopo aver ricevuto con successo i soldi!
portfolio.pending.step3_seller.halCash=L'acquirente deve inviarti il codice HalCash come messaggio di testo. Riceverai un secondo un messaggio da HalCash con le informazioni richieste per poter ritirare gli EUR da un bancomat supportato da HalCash.\n\nDopo aver ritirato i soldi dal bancomat, conferma qui la ricevuta del pagamento!
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID Transazione
portfolio.pending.step3_seller.xmrTxKey=Transaction key
portfolio.pending.step3_seller.buyersAccount=Buyers account data
portfolio.pending.step3_seller.confirmReceipt=Conferma pagamento ricevuto
portfolio.pending.step3_seller.buyerStartedPayment=L'acquirente BTC ha avviato il pagamento {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=L'acquirente XMR ha avviato il pagamento {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Controlla le conferme blockchain sul tuo portafoglio crypto o block explorer e conferma il pagamento quando hai sufficienti conferme blockchain
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Controlla sul tuo conto di trading (ad es. Conto bancario) e conferma quando hai ricevuto il pagamento.
portfolio.pending.step3_seller.warn.part1a=sulla {0} blockchain
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Hai ricevuto il pagamento
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Verifica inoltre che il nome del mittente specificato nel contratto di scambio corrisponda al nome che appare sul tuo estratto conto bancario:\nNome del mittente, per contratto di scambio: {0}\n\nSe i nomi non sono uguali, non confermare la ricevuta del pagamento. Apri invece una disputa premendo \"alt + o\" oppure \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Tieni presente che non appena avrai confermato la ricevuta, l'importo commerciale bloccato verrà rilasciato all'acquirente BTC e il deposito cauzionale verrà rimborsato.
portfolio.pending.step3_seller.onPaymentReceived.note=Tieni presente che non appena avrai confermato la ricevuta, l'importo commerciale bloccato verrà rilasciato all'acquirente XMR e il deposito cauzionale verrà rimborsato.
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Conferma di aver ricevuto il pagamento
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Si, ho ricevuto il pagamento
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANTE: confermando la ricezione del pagamento, stai anche verificando il conto della controparte e, di conseguenza, lo stai firmando. Poiché il conto della controparte non è stato ancora firmato, è necessario ritardare la conferma del pagamento il più a lungo possibile per ridurre il rischio di uno storno di addebito.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Commissione di scambio
portfolio.pending.step5_buyer.makersMiningFee=Commissione di mining
portfolio.pending.step5_buyer.takersMiningFee=Totale commissioni di mining
portfolio.pending.step5_buyer.refunded=Deposito di sicurezza rimborsato
portfolio.pending.step5_buyer.withdrawBTC=Preleva i tuoi bitcoin
portfolio.pending.step5_buyer.withdrawXMR=Preleva i tuoi monero
portfolio.pending.step5_buyer.amount=Importo da prelevare
portfolio.pending.step5_buyer.withdrawToAddress=Ritirare all'indirizzo
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=I tuoi fondi sono già stati riti
portfolio.pending.step5_buyer.confirmWithdrawal=Conferma richiesta di prelievo
portfolio.pending.step5_buyer.amountTooLow=L'importo da trasferire è inferiore alla commissione di transazione e al min. valore tx possibile (polvere).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Prelievo completato
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Gli scambi completati vengono archiviati in \"Portafoglio/Storia\".\nPuoi rivedere tutte le tue transazioni bitcoin in \"Fondi/Transazioni\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Gli scambi completati vengono archiviati in \"Portafoglio/Storia\".\nPuoi rivedere tutte le tue transazioni monero in \"Fondi/Transazioni\"
portfolio.pending.step5_buyer.bought=Hai acquistato
portfolio.pending.step5_buyer.paid=Hai pagato
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Hai già accettato
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Finanzia portafoglio Haveno
funds.deposit.noAddresses=Non sono stati ancora generati indirizzi di deposito
funds.deposit.fundWallet=Finanzia il tuo portafoglio
funds.deposit.withdrawFromWallet=Invia fondi dal portafoglio
funds.deposit.amount=Importo in BTC (facoltativo)
funds.deposit.amount=Importo in XMR (facoltativo)
funds.deposit.generateAddress=Crea nuovo indirizzo
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=Seleziona un indirizzo inutilizzato dalla tabella sopra anziché generarne uno nuovo.
@ -890,7 +890,7 @@ funds.tx.revert=Storna
funds.tx.txSent=Transazione inviata con successo ad un nuovo indirizzo nel portafoglio Haveno locale.
funds.tx.direction.self=Invia a te stesso
funds.tx.dustAttackTx=Polvere ricevuta
funds.tx.dustAttackTx.popup=Questa transazione sta inviando un importo BTC molto piccolo al tuo portafoglio e potrebbe essere un tentativo da parte delle società di chain analysis per spiare il tuo portafoglio.\n\nSe usi quell'output della transazione in una transazione di spesa, scopriranno che probabilmente sei anche il proprietario dell'altro indirizzo (combinazione di monete).\n\nPer proteggere la tua privacy, il portafoglio Haveno ignora tali output di polvere a fini di spesa e nella visualizzazione del saldo. È possibile impostare la soglia al di sotto della quale un output è considerato polvere.\n 
funds.tx.dustAttackTx.popup=Questa transazione sta inviando un importo XMR molto piccolo al tuo portafoglio e potrebbe essere un tentativo da parte delle società di chain analysis per spiare il tuo portafoglio.\n\nSe usi quell'output della transazione in una transazione di spesa, scopriranno che probabilmente sei anche il proprietario dell'altro indirizzo (combinazione di monete).\n\nPer proteggere la tua privacy, il portafoglio Haveno ignora tali output di polvere a fini di spesa e nella visualizzazione del saldo. È possibile impostare la soglia al di sotto della quale un output è considerato polvere.\n 
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=Messaggio salvato nella cassetta postale del destinatario
support.arrived=Il messaggio è arrivato al destinatario
support.acknowledged=Arrivo del messaggio confermato dal destinatario
support.error=Il destinatario non ha potuto elaborare il messaggio. Errore: {0}
support.buyerAddress=Indirizzo BTC dell'acquirente
support.sellerAddress=Indirizzo BTC del venditore
support.buyerAddress=Indirizzo XMR dell'acquirente
support.sellerAddress=Indirizzo XMR del venditore
support.role=Ruolo
support.agent=Support agent
support.state=Stato
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=Chiuso
support.open=Aperto
support.process=Process
support.buyerMaker=Acquirente/Maker BTC
support.sellerMaker=Venditore/Maker BTC
support.buyerTaker=Acquirente/Taker BTC
support.sellerTaker=Venditore/Taker BTC
support.buyerMaker=Acquirente/Maker XMR
support.sellerMaker=Venditore/Maker XMR
support.buyerTaker=Acquirente/Taker XMR
support.sellerTaker=Venditore/Taker XMR
support.backgroundInfo=Haveno non è un'azienda, quindi gestisce le controversie in modo diverso.\n\nI commercianti possono comunicare all'interno dell'applicazione tramite una chat sicura sulla schermata delle negoziazioni aperte per cercare di risolvere le controversie da soli. Se ciò non è sufficiente, un arbitro valuterà la situazione e deciderà un pagamento dei fondi commerciali.
support.initialInfo=Inserisci una descrizione del tuo problema nel campo di testo qui sotto. Aggiungi quante più informazioni possibili per accelerare i tempi di risoluzione della disputa.\n\nEcco una lista delle informazioni che dovresti fornire:\n● Se sei l'acquirente BTC: hai effettuato il trasferimento Traditional o Cryptocurrency? In tal caso, hai fatto clic sul pulsante "pagamento avviato" nell'applicazione?\n● Se sei il venditore BTC: hai ricevuto il pagamento Traditional o Cryptocurrency? In tal caso, hai fatto clic sul pulsante "pagamento ricevuto" nell'applicazione?\n● Quale versione di Haveno stai usando?\n● Quale sistema operativo stai usando?\n● Se si è verificato un problema con transazioni non riuscite, prendere in considerazione la possibilità di passare a una nuova directory di dati.\n  A volte la directory dei dati viene danneggiata e porta a strani bug.\n  Vedi: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nAcquisire familiarità con le regole di base per la procedura di disputa:\n● È necessario rispondere alle richieste di {0} entro 2 giorni.\n● I mediatori rispondono entro 2 giorni. Gli arbitri rispondono entro 5 giorni lavorativi.\n● Il periodo massimo per una disputa è di 14 giorni.\n● È necessario collaborare con {1} e fornire le informazioni richieste per presentare il proprio caso.\n● Hai accettato le regole delineate nel documento di contestazione nel contratto con l'utente al primo avvio dell'applicazione.\n\nPuoi leggere ulteriori informazioni sulla procedura di contestazione all'indirizzo: {2}\n 
support.initialInfo=Inserisci una descrizione del tuo problema nel campo di testo qui sotto. Aggiungi quante più informazioni possibili per accelerare i tempi di risoluzione della disputa.\n\nEcco una lista delle informazioni che dovresti fornire:\n● Se sei l'acquirente XMR: hai effettuato il trasferimento Traditional o Cryptocurrency? In tal caso, hai fatto clic sul pulsante "pagamento avviato" nell'applicazione?\n● Se sei il venditore XMR: hai ricevuto il pagamento Traditional o Cryptocurrency? In tal caso, hai fatto clic sul pulsante "pagamento ricevuto" nell'applicazione?\n● Quale versione di Haveno stai usando?\n● Quale sistema operativo stai usando?\n● Se si è verificato un problema con transazioni non riuscite, prendere in considerazione la possibilità di passare a una nuova directory di dati.\n  A volte la directory dei dati viene danneggiata e porta a strani bug.\n  Vedi: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nAcquisire familiarità con le regole di base per la procedura di disputa:\n● È necessario rispondere alle richieste di {0} entro 2 giorni.\n● I mediatori rispondono entro 2 giorni. Gli arbitri rispondono entro 5 giorni lavorativi.\n● Il periodo massimo per una disputa è di 14 giorni.\n● È necessario collaborare con {1} e fornire le informazioni richieste per presentare il proprio caso.\n● Hai accettato le regole delineate nel documento di contestazione nel contratto con l'utente al primo avvio dell'applicazione.\n\nPuoi leggere ulteriori informazioni sulla procedura di contestazione all'indirizzo: {2}\n 
support.systemMsg=Messaggio di sistema: {0}
support.youOpenedTicket=Hai aperto una richiesta di supporto.\n\n{0}\n\nVersione Haveno: {1}
support.youOpenedDispute=Hai aperto una richiesta per una controversia.\n\n{0}\n\nVersione Haveno: {1}
@ -979,13 +979,13 @@ settings.tab.network=Informazioni della Rete
settings.tab.about=Circa
setting.preferences.general=Preferenze generali
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Deviazione massima del prezzo di mercato
setting.preferences.avoidStandbyMode=Evita modalità standby
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Non sono ammessi valori superiori a {0}%.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1022,29 +1022,29 @@ settings.preferences.editCustomExplorer.name=Nome
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Network Bitcoin
settings.net.xmrHeader=Network Monero
settings.net.p2pHeader=Rete Haveno
settings.net.onionAddressLabel=Il mio indirizzo onion
settings.net.xmrNodesLabel=Usa nodi Monero personalizzati
settings.net.moneroPeersLabel=Peer connessi
settings.net.useTorForXmrJLabel=Usa Tor per la rete Monero
settings.net.moneroNodesLabel=Nodi Monero a cui connettersi
settings.net.useProvidedNodesRadio=Usa i nodi Bitcoin Core forniti
settings.net.usePublicNodesRadio=Usa la rete pubblica di Bitcoin
settings.net.useCustomNodesRadio=Usa nodi Bitcoin Core personalizzati
settings.net.useProvidedNodesRadio=Usa i nodi Monero Core forniti
settings.net.usePublicNodesRadio=Usa la rete pubblica di Monero
settings.net.useCustomNodesRadio=Usa nodi Monero Core personalizzati
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=No, utilizza i nodi forniti
settings.net.warn.usePublicNodes.usePublic=Sì, usa la rete pubblica
settings.net.warn.useCustomNodes.B2XWarning=Assicurati che il tuo nodo Bitcoin sia un nodo Bitcoin Core di fiducia!\n\nLa connessione a nodi che non seguono le regole di consenso di Bitcoin Core potrebbe corrompere il tuo portafoglio e causare problemi nel processo di scambio.\n\nGli utenti che si connettono a nodi che violano le regole di consenso sono responsabili per qualsiasi danno risultante. Eventuali controversie risultanti saranno decise a favore dell'altro pari. Nessun supporto tecnico verrà fornito agli utenti che ignorano questo meccanismo di avvertimento e protezione!
settings.net.warn.invalidBtcConfig=Connessione alla rete Bitcoin non riuscita perché la configurazione non è valida.\n\nLa tua configurazione è stata ripristinata per utilizzare invece i nodi Bitcoin forniti. Dovrai riavviare l'applicazione.
settings.net.localhostXmrNodeInfo=Informazioni di base: Haveno cerca un nodo Bitcoin locale all'avvio. Se viene trovato, Haveno comunicherà con la rete Bitcoin esclusivamente attraverso di esso.
settings.net.warn.useCustomNodes.B2XWarning=Assicurati che il tuo nodo Monero sia un nodo Monero Core di fiducia!\n\nLa connessione a nodi che non seguono le regole di consenso di Monero Core potrebbe corrompere il tuo portafoglio e causare problemi nel processo di scambio.\n\nGli utenti che si connettono a nodi che violano le regole di consenso sono responsabili per qualsiasi danno risultante. Eventuali controversie risultanti saranno decise a favore dell'altro pari. Nessun supporto tecnico verrà fornito agli utenti che ignorano questo meccanismo di avvertimento e protezione!
settings.net.warn.invalidXmrConfig=Connessione alla rete Monero non riuscita perché la configurazione non è valida.\n\nLa tua configurazione è stata ripristinata per utilizzare invece i nodi Monero forniti. Dovrai riavviare l'applicazione.
settings.net.localhostXmrNodeInfo=Informazioni di base: Haveno cerca un nodo Monero locale all'avvio. Se viene trovato, Haveno comunicherà con la rete Monero esclusivamente attraverso di esso.
settings.net.p2PPeersLabel=Peer connessi
settings.net.onionAddressColumn=Indirizzo onion
settings.net.creationDateColumn=Stabilito
settings.net.connectionTypeColumn=Dentro/Fuori
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Ritorno
settings.net.sentBytesColumn=Inviato
settings.net.receivedBytesColumn=Ricevuto
@ -1059,7 +1059,7 @@ settings.net.needRestart=È necessario riavviare l'applicazione per applicare ta
settings.net.notKnownYet=Non ancora noto...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[Indirizzo IP:porta | hostname:porta | indirizzo onion:porta] (separato da una virgola). La porta può essere omessa se è usata quella predefinita (8333).
settings.net.seedNode=Nodo seme
settings.net.directPeer=Peer (diretto)
@ -1068,7 +1068,7 @@ settings.net.peer=Peer
settings.net.inbound=in entrata
settings.net.outbound=in uscita
setting.about.aboutHaveno=Riguardo Haveno
setting.about.about=Haveno è un software open source che facilita lo scambio di bitcoin con valute nazionali (e altre criptovalute) attraverso una rete peer-to-peer decentralizzata in modo da proteggere fortemente la privacy degli utenti. Leggi di più riguardo Haveno sulla pagina web del progetto.
setting.about.about=Haveno è un software open source che facilita lo scambio di monero con valute nazionali (e altre criptovalute) attraverso una rete peer-to-peer decentralizzata in modo da proteggere fortemente la privacy degli utenti. Leggi di più riguardo Haveno sulla pagina web del progetto.
setting.about.web=Pagina web Haveno
setting.about.code=Codice sorgente
setting.about.agpl=Licenza AGPL
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=Seleziona lo scambio in sospeso e fai
setting.about.shortcuts.walletDetails=Apri la finestra dei dettagli del portafoglio
setting.about.shortcuts.openEmergencyBtcWalletTool=Apri lo strumento portafoglio di emergenza per il portafoglio BTC
setting.about.shortcuts.openEmergencyXmrWalletTool=Apri lo strumento portafoglio di emergenza per il portafoglio XMR
setting.about.shortcuts.showTorLogs=Attiva / disattiva il livello di registro per i messaggi Tor tra DEBUG e WARN
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=Invia notifica privata al peer (
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1140,7 +1140,7 @@ account.tab.mediatorRegistration=Registrazione del mediatore
account.tab.refundAgentRegistration=Registrazione agente di rimborso
account.tab.signing=Signing
account.info.headline=Benvenuto nel tuo Account Haveno
account.info.msg=Qui puoi aggiungere conti di trading per valute nazionali e crypto e creare un backup dei tuoi dati di portafoglio e conto.\n\nUn nuovo portafoglio Bitcoin è stato creato la prima volta che hai avviato Haveno.\n\nTi consigliamo vivamente di annotare le parole del seme del portafoglio Bitcoin (vedi la scheda in alto) e prendere in considerazione l'aggiunta di una password prima del finanziamento. I depositi e prelievi di bitcoin sono gestiti nella sezione \"Fondi\".\n\nInformativa sulla privacy e sulla sicurezza: poiché Haveno è un exchange decentralizzato, tutti i tuoi dati vengono conservati sul tuo computer. Non ci sono server, quindi non abbiamo accesso alle tue informazioni personali, ai tuoi fondi o persino al tuo indirizzo IP. Dati come numeri di conto bancario, crypto e indirizzi Bitcoin, ecc. vengono condivisi con il proprio partner commerciale per adempiere alle negoziazioni avviate (in caso di controversia il mediatore o l'arbitro vedrà gli stessi dati del proprio peer di negoziazione).
account.info.msg=Qui puoi aggiungere conti di trading per valute nazionali e crypto e creare un backup dei tuoi dati di portafoglio e conto.\n\nUn nuovo portafoglio Monero è stato creato la prima volta che hai avviato Haveno.\n\nTi consigliamo vivamente di annotare le parole del seme del portafoglio Monero (vedi la scheda in alto) e prendere in considerazione l'aggiunta di una password prima del finanziamento. I depositi e prelievi di monero sono gestiti nella sezione \"Fondi\".\n\nInformativa sulla privacy e sulla sicurezza: poiché Haveno è un exchange decentralizzato, tutti i tuoi dati vengono conservati sul tuo computer. Non ci sono server, quindi non abbiamo accesso alle tue informazioni personali, ai tuoi fondi o persino al tuo indirizzo IP. Dati come numeri di conto bancario, crypto e indirizzi Monero, ecc. vengono condivisi con il proprio partner commerciale per adempiere alle negoziazioni avviate (in caso di controversia il mediatore o l'arbitro vedrà gli stessi dati del proprio peer di negoziazione).
account.menu.paymentAccount=Conti in valuta nazionale
account.menu.altCoinsAccountView=Conti crypto
@ -1151,7 +1151,7 @@ account.menu.backup=Backup
account.menu.notifications=Notifiche
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Il trading di L-BTC su Haveno richiede la comprensione di quanto segue:\n\nQuando ricevi L-BTC per uno scambio su Haveno, non puoi utilizzare l'applicazione mobile Blockstream Green Wallet o un portafoglio di custodia/scambio. Devi ricevere L-BTC solo nel portafoglio Liquid Elements Core o in un altro portafoglio L-BTC che ti consenta di ottenere la chiave per il tuo indirizzo L-BTC.\n\nNel caso in cui sia necessaria la mediazione o in caso di disputa nello scambio, è necessario divulgare la chiave di ricezione per il proprio indirizzo L-BTC al mediatore Haveno o all'agente di rimborso in modo che possano verificare i dettagli della propria Transazione riservata sul proprio full node Elements Core.\n\nLa mancata fornitura delle informazioni richieste dal mediatore o dall'agente di rimborso comporterà la perdita della disputa. In tutti i casi di disputa, il ricevente L-BTC si assume al 100% l'onere della responsabilità nel fornire prove crittografiche al mediatore o all'agente di rimborso.\n\nSe non comprendi i sopracitati requisiti, non scambiare L-BTC su Haveno.
account.crypto.popup.liquidmonero.msg=Il trading di L-XMR su Haveno richiede la comprensione di quanto segue:\n\nQuando ricevi L-XMR per uno scambio su Haveno, non puoi utilizzare l'applicazione mobile Blockstream Green Wallet o un portafoglio di custodia/scambio. Devi ricevere L-XMR solo nel portafoglio Liquid Elements Core o in un altro portafoglio L-XMR che ti consenta di ottenere la chiave per il tuo indirizzo L-XMR.\n\nNel caso in cui sia necessaria la mediazione o in caso di disputa nello scambio, è necessario divulgare la chiave di ricezione per il proprio indirizzo L-XMR al mediatore Haveno o all'agente di rimborso in modo che possano verificare i dettagli della propria Transazione riservata sul proprio full node Elements Core.\n\nLa mancata fornitura delle informazioni richieste dal mediatore o dall'agente di rimborso comporterà la perdita della disputa. In tutti i casi di disputa, il ricevente L-XMR si assume al 100% l'onere della responsabilità nel fornire prove crittografiche al mediatore o all'agente di rimborso.\n\nSe non comprendi i sopracitati requisiti, non scambiare L-XMR su Haveno.
account.traditional.yourTraditionalAccounts=I tuoi conti in valuta nazionale
@ -1229,12 +1229,12 @@ account.password.setPw.headline=Imposta la protezione con password per il portaf
account.password.info=Con la protezione tramite password, dovrai inserire la password all'avvio dell'applicazione, quando prelevi monero dal tuo portafoglio e quando mostri le tue parole chiave di ripristino.
account.seed.backup.title=Effettua il backup delle parole del seed dei tuoi portafogli
account.seed.info=Si prega di scrivere sia le parole del seed del portafoglio che la data! Puoi recuperare il tuo portafoglio in qualsiasi momento con le parole del seed e la data.\nLe stesse parole del seed vengono utilizzate per il portafoglio BTC e BSQ.\n\nDovresti scrivere le parole del seed su un foglio di carta. Non salvarli sul tuo computer.\n\nSi noti che le parole del seed NON sostituiscono un backup.\nÈ necessario creare un backup dell'intera directory dell'applicazione dalla schermata \"Account/Backup\" per ripristinare lo stato e i dati dell'applicazione.\nL'importazione delle parole del seed è consigliata solo in casi di emergenza. L'applicazione non funzionerà senza un corretto backup dei file del database e delle chiavi del seed!
account.seed.info=Si prega di scrivere sia le parole del seed del portafoglio che la data! Puoi recuperare il tuo portafoglio in qualsiasi momento con le parole del seed e la data.\nLe stesse parole del seed vengono utilizzate per il portafoglio XMR e BSQ.\n\nDovresti scrivere le parole del seed su un foglio di carta. Non salvarli sul tuo computer.\n\nSi noti che le parole del seed NON sostituiscono un backup.\nÈ necessario creare un backup dell'intera directory dell'applicazione dalla schermata \"Account/Backup\" per ripristinare lo stato e i dati dell'applicazione.\nL'importazione delle parole del seed è consigliata solo in casi di emergenza. L'applicazione non funzionerà senza un corretto backup dei file del database e delle chiavi del seed!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Non hai impostato una password per il portafoglio che protegga la visualizzazione delle parole del seed.\n\nVuoi visualizzare le parole del seed?
account.seed.warn.noPw.yes=Sì, e non chiedermelo più
account.seed.enterPw=Immettere la password per visualizzare le parole chiave
account.seed.restore.info=Effettuare un backup prima di cominciare il ripristino dalle parole del seed. Tenere presente che il ripristino del portafoglio è solo per casi di emergenza e potrebbe causare problemi con il database del portafoglio interno.\nNon è un modo per effettuare un backup! Utilizzare un backup della directory dei dati dell'applicazione per ripristinare uno stato dell'applicazione precedente.\n\nDopo aver ripristinato, l'applicazione si spegnerà automaticamente. Dopo aver riavviato l'applicazione, si risincronizzerà con la rete Bitcoin. Questo può richiedere del tempo e può consumare molta CPU, soprattutto se il portafoglio era vecchio e aveva molte transazioni. Evita di interrompere tale processo, altrimenti potrebbe essere necessario eliminare nuovamente il file della catena SPV o ripetere il processo di ripristino.
account.seed.restore.info=Effettuare un backup prima di cominciare il ripristino dalle parole del seed. Tenere presente che il ripristino del portafoglio è solo per casi di emergenza e potrebbe causare problemi con il database del portafoglio interno.\nNon è un modo per effettuare un backup! Utilizzare un backup della directory dei dati dell'applicazione per ripristinare uno stato dell'applicazione precedente.\n\nDopo aver ripristinato, l'applicazione si spegnerà automaticamente. Dopo aver riavviato l'applicazione, si risincronizzerà con la rete Monero. Questo può richiedere del tempo e può consumare molta CPU, soprattutto se il portafoglio era vecchio e aveva molte transazioni. Evita di interrompere tale processo, altrimenti potrebbe essere necessario eliminare nuovamente il file della catena SPV o ripetere il processo di ripristino.
account.seed.restore.ok=Ok, fai il ripristino e spegni Haveno
@ -1259,13 +1259,13 @@ account.notifications.trade.label=Ricevi messaggi commerciali
account.notifications.market.label=Ricevi avvisi sulle offerte
account.notifications.price.label=Ricevi avvisi sui prezzi
account.notifications.priceAlert.title=Avvisi sui prezzi
account.notifications.priceAlert.high.label=Notifica se il prezzo BTC è superiore
account.notifications.priceAlert.low.label=Notifica se il prezzo BTC è inferiore
account.notifications.priceAlert.high.label=Notifica se il prezzo XMR è superiore
account.notifications.priceAlert.low.label=Notifica se il prezzo XMR è inferiore
account.notifications.priceAlert.setButton=Imposta un avviso di prezzo
account.notifications.priceAlert.removeButton=Rimuovi avviso di prezzo
account.notifications.trade.message.title=Lo stato dello scambio è cambiato
account.notifications.trade.message.msg.conf=La transazione di deposito per lo scambio con ID {0} è confermata. Si prega di aprire l'applicazione Haveno e avviare il pagamento.
account.notifications.trade.message.msg.started=L'acquirente BTC ha avviato il pagamento per lo scambio con ID {0}.
account.notifications.trade.message.msg.started=L'acquirente XMR ha avviato il pagamento per lo scambio con ID {0}.
account.notifications.trade.message.msg.completed=Lo scambio con ID {0} è completato.
account.notifications.offer.message.title=La tua offerta è stata presa
account.notifications.offer.message.msg=La tua offerta con ID {0} è stata accettata
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=Hai ricevuto un messaggio di contestaz
account.notifications.marketAlert.title=Offri avvisi
account.notifications.marketAlert.selectPaymentAccount=Offre un account di pagamento corrispondente
account.notifications.marketAlert.offerType.label=Tipo di offerta che mi interessa
account.notifications.marketAlert.offerType.buy=Acquista offerte (voglio vendere BTC)
account.notifications.marketAlert.offerType.sell=Offerte di vendita (Voglio comprare BTC)
account.notifications.marketAlert.offerType.buy=Acquista offerte (voglio vendere XMR)
account.notifications.marketAlert.offerType.sell=Offerte di vendita (Voglio comprare XMR)
account.notifications.marketAlert.trigger=Distanza prezzo offerta (%)
account.notifications.marketAlert.trigger.info=Con una distanza di prezzo impostata, riceverai un avviso solo quando viene pubblicata un'offerta che soddisfa (o supera) i tuoi requisiti. Esempio: vuoi vendere BTC, ma venderai solo con un premio del 2% dal prezzo di mercato attuale. Se si imposta questo campo su 2%, si riceveranno avvisi solo per offerte con prezzi superiori del 2% (o più) dal prezzo di mercato corrente.\n 
account.notifications.marketAlert.trigger.info=Con una distanza di prezzo impostata, riceverai un avviso solo quando viene pubblicata un'offerta che soddisfa (o supera) i tuoi requisiti. Esempio: vuoi vendere XMR, ma venderai solo con un premio del 2% dal prezzo di mercato attuale. Se si imposta questo campo su 2%, si riceveranno avvisi solo per offerte con prezzi superiori del 2% (o più) dal prezzo di mercato corrente.\n 
account.notifications.marketAlert.trigger.prompt=Distanza percentuale dal prezzo di mercato (ad es. 2,50%, -0,50%, ecc.)
account.notifications.marketAlert.addButton=Aggiungi avviso offerta
account.notifications.marketAlert.manageAlertsButton=Gestisci avvisi di offerta
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=Saldo disponibile
contractWindow.title=Dettagli disputa
contractWindow.dates=Data dell'offerta / Data di scambio
contractWindow.btcAddresses=Indirizzo Bitcoin acquirente BTC / venditore BTC
contractWindow.onions=Indirizzo di rete acquirente BTC / venditore BTC
contractWindow.accountAge=Età account acquirente BTC / venditore BTC
contractWindow.numDisputes=Numero di controversie acquirente BTC / venditore BTC
contractWindow.xmrAddresses=Indirizzo Monero acquirente XMR / venditore XMR
contractWindow.onions=Indirizzo di rete acquirente XMR / venditore XMR
contractWindow.accountAge=Età account acquirente XMR / venditore XMR
contractWindow.numDisputes=Numero di controversie acquirente XMR / venditore XMR
contractWindow.contractHash=Hash contratto
displayAlertMessageWindow.headline=Informazioni importanti!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=Sommario
disputeSummaryWindow.openDate=Data di apertura del ticket
disputeSummaryWindow.role=Ruolo del trader
disputeSummaryWindow.payout=Pagamento dell'importo di scambio
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} ottiene il pagamento dell'importo commerciale
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} ottiene il pagamento dell'importo commerciale
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Pagamento personalizzato
disputeSummaryWindow.payoutAmount.buyer=Importo pagamento dell'acquirente
disputeSummaryWindow.payoutAmount.seller=Importo pagamento del venditore
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=Chiudi ticket
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1420,18 +1420,18 @@ filterWindow.mediators=Mediatori filtrati (indirizzi onion separati con una virg
filterWindow.refundAgents=Agenti di rimborso filtrati (virgola sep. indirizzi onion)
filterWindow.seedNode=Nodi seme filtrati (separati con una virgola)
filterWindow.priceRelayNode=Prezzo filtrato dai nodi relay (virgola sep. indirizzi onion)
filterWindow.xmrNode=Nodi Bitcoin filtrati (indirizzo + porta separati con una virgola)
filterWindow.preventPublicXmrNetwork=Impedisci l'utilizzo della rete pubblica Bitcoin
filterWindow.xmrNode=Nodi Monero filtrati (indirizzo + porta separati con una virgola)
filterWindow.preventPublicXmrNetwork=Impedisci l'utilizzo della rete pubblica Monero
filterWindow.disableAutoConf=Disable auto-confirm
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
filterWindow.disableTradeBelowVersion=Versione minima richiesta per il trading
filterWindow.add=Aggiungi filtro
filterWindow.remove=Rimuovi filtro
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Importo BTC minimo
offerDetailsWindow.minXmrAmount=Importo XMR minimo
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(distanza dal prezzo di mercato: {0})
offerDetailsWindow.myTradingAccount=Il mio account di scambio
@ -1496,7 +1496,7 @@ tradeDetailsWindow.agentAddresses=Arbitro/Mediatore
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1506,7 +1506,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Inserisci la password per sbloccare
@ -1532,12 +1532,12 @@ torNetworkSettingWindow.bridges.header=Tor è bloccato?
torNetworkSettingWindow.bridges.info=Se Tor è bloccato dal tuo provider di servizi Internet o dal tuo paese, puoi provare a utilizzare i bridge Tor.\nVisitare la pagina Web Tor all'indirizzo: https://bridges.torproject.org/bridges per ulteriori informazioni sui bridge e sui trasporti collegabili.\n 
feeOptionWindow.headline=Scegli la valuta per il pagamento delle commissioni commerciali
feeOptionWindow.info=Puoi scegliere di pagare la commissione commerciale in BSQ o in BTC. Se scegli BSQ approfitti della commissione commerciale scontata.
feeOptionWindow.info=Puoi scegliere di pagare la commissione commerciale in BSQ o in XMR. Se scegli BSQ approfitti della commissione commerciale scontata.
feeOptionWindow.optionsLabel=Scegli la valuta per il pagamento delle commissioni commerciali
feeOptionWindow.useBTC=Usa BTC
feeOptionWindow.useXMR=Usa XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,9 +1579,9 @@ popup.warning.noTradingAccountSetup.msg=È necessario impostare un conto in valu
popup.warning.noArbitratorsAvailable=Non ci sono arbitri disponibili.
popup.warning.noMediatorsAvailable=Non ci sono mediatori disponibili.
popup.warning.notFullyConnected=È necessario attendere fino a quando non si è completamente connessi alla rete.\nQuesto potrebbe richiedere fino a circa 2 minuti all'avvio.
popup.warning.notSufficientConnectionsToBtcNetwork=Devi aspettare fino a quando non hai almeno {0} connessioni alla rete Bitcoin.
popup.warning.downloadNotComplete=Devi aspettare fino al completamento del download dei blocchi Bitcoin mancanti.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Devi aspettare fino a quando non hai almeno {0} connessioni alla rete Monero.
popup.warning.downloadNotComplete=Devi aspettare fino al completamento del download dei blocchi Monero mancanti.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Sei sicuro di voler rimuovere quell'offerta?
popup.warning.tooLargePercentageValue=Non è possibile impostare una percentuale del 100% o superiore.
popup.warning.examplePercentageValue=Inserisci un numero percentuale come \"5.4\" per il 5,4%
@ -1601,13 +1601,13 @@ popup.warning.priceRelay=ripetitore di prezzo
popup.warning.seed=seme
popup.warning.mandatoryUpdate.trading=Si prega di aggiornare Haveno all'ultima versione. È stato rilasciato un aggiornamento obbligatorio che disabilita il trading per le vecchie versioni. Per ulteriori informazioni, consultare il forum Haveno.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=Questa transazione non è possibile, poiché le commissioni di mining di {0} supererebbero l'importo da trasferire di {1}. Attendi fino a quando le commissioni di mining non saranno nuovamente basse o fino a quando non avrai accumulato più BTC da trasferire.
popup.warning.burnXMR=Questa transazione non è possibile, poiché le commissioni di mining di {0} supererebbero l'importo da trasferire di {1}. Attendi fino a quando le commissioni di mining non saranno nuovamente basse o fino a quando non avrai accumulato più XMR da trasferire.
popup.warning.openOffer.makerFeeTxRejected=La commissione della transazione del creatore dell'offerta con ID {0} è stata rifiutata dalla rete Bitcoin.\nTransazione ID={1}.\nL'offerta è stata rimossa per evitare ulteriori problemi.\nVai su \"Impostazioni/Informazioni di rete\" ed esegui una risincronizzazione SPV.\nPer ulteriore assistenza, contattare il canale di supporto Haveno nel team di Haveno Keybase.
popup.warning.openOffer.makerFeeTxRejected=La commissione della transazione del creatore dell'offerta con ID {0} è stata rifiutata dalla rete Monero.\nTransazione ID={1}.\nL'offerta è stata rimossa per evitare ulteriori problemi.\nVai su \"Impostazioni/Informazioni di rete\" ed esegui una risincronizzazione SPV.\nPer ulteriore assistenza, contattare il canale di supporto Haveno nel team di Haveno Keybase.
popup.warning.trade.txRejected.tradeFee=commissione di scambio
popup.warning.trade.txRejected.deposit=deposita
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=La commissione della transazione del creatore dell'offerta con ID {0} non è valida.\nTransazione ID={1}.\nVai su \"Impostazioni/Informazioni di rete\" ed esegui una risincronizzazione SPV.\nPer ulteriore assistenza, contattare il canale di supporto Haveno nel team di Haveno Keybase.
@ -1622,7 +1622,7 @@ popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not
popup.privateNotification.headline=Notifica privata importante!
popup.securityRecommendation.headline=Raccomandazione di sicurezza importante
popup.securityRecommendation.msg=Vorremmo ricordarti di prendere in considerazione l'utilizzo della protezione con password per il tuo portafoglio se non l'avessi già abilitato.\n\nSi consiglia inoltre di annotare le parole seme del portafoglio. Le parole seme sono come una password principale per recuperare il tuo portafoglio Bitcoin.\nNella sezione \"Wallet Seed\" trovi ulteriori informazioni.\n\nInoltre, è necessario eseguire il backup della cartella completa dei dati dell'applicazione nella sezione \"Backup\".
popup.securityRecommendation.msg=Vorremmo ricordarti di prendere in considerazione l'utilizzo della protezione con password per il tuo portafoglio se non l'avessi già abilitato.\n\nSi consiglia inoltre di annotare le parole seme del portafoglio. Le parole seme sono come una password principale per recuperare il tuo portafoglio Monero.\nNella sezione \"Wallet Seed\" trovi ulteriori informazioni.\n\nInoltre, è necessario eseguire il backup della cartella completa dei dati dell'applicazione nella sezione \"Backup\".
popup.shutDownInProgress.headline=Arresto in corso
popup.shutDownInProgress.msg=La chiusura dell'applicazione può richiedere un paio di secondi.\nNon interrompere il processo.
@ -1675,9 +1675,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Failed to sign
notification.trade.headline=Notifica per scambi con ID {0}
notification.ticket.headline=Biglietto di supporto per scambi con ID {0}
notification.trade.completed=Il commercio è ora completato e puoi ritirare i tuoi fondi.
notification.trade.accepted=La tua offerta è stata accettata da un BTC {0}.
notification.trade.accepted=La tua offerta è stata accettata da un XMR {0}.
notification.trade.unlocked=Il tuo trade ha almeno una conferma blockchain.\nPuoi iniziare il pagamento ora.
notification.trade.paymentSent=L'acquirente BTC ha avviato il pagamento.
notification.trade.paymentSent=L'acquirente XMR ha avviato il pagamento.
notification.trade.selectTrade=Seleziona scambio
notification.trade.peerOpenedDispute=Il tuo peer di trading ha aperto un {0}.
notification.trade.disputeClosed={0} è stato chiuso.
@ -1696,7 +1696,7 @@ systemTray.show=Mostra la finestra dell'applicazione
systemTray.hide=Nascondi la finestra dell'applicazione
systemTray.info=Informazioni su Haveno
systemTray.exit=Esci
systemTray.tooltip=Haveno: una rete di scambio decentralizzata di bitcoin
systemTray.tooltip=Haveno: una rete di scambio decentralizzata di monero
####################################################################
@ -1758,10 +1758,10 @@ peerInfo.age.noRisk=Età del conto di pagamento
peerInfo.age.chargeBackRisk=Tempo dall'iscrizione
peerInfo.unknownAge=Età sconosciuta
addressTextField.openWallet=Apri il tuo portafoglio Bitcoin predefinito
addressTextField.openWallet=Apri il tuo portafoglio Monero predefinito
addressTextField.copyToClipboard=Copia l'indirizzo negli appunti
addressTextField.addressCopiedToClipboard=L'indirizzo è stato copiato negli appunti
addressTextField.openWallet.failed=Il tentativo di aprire un portafoglio bitcoin predefinito è fallito. Forse non ne hai installato uno?
addressTextField.openWallet.failed=Il tentativo di aprire un portafoglio monero predefinito è fallito. Forse non ne hai installato uno?
peerInfoIcon.tooltip={0}\nTag: {1}
@ -1809,11 +1809,11 @@ formatter.asTaker={0} {1} come taker
# we use enum values here
# dynamic values are not recognized by IntelliJ
# suppress inspection "UnusedProperty"
XMR_MAINNET=Mainnet Bitcoin
XMR_MAINNET=Mainnet Monero
# suppress inspection "UnusedProperty"
XMR_LOCAL=Testnet Bitcoin
XMR_LOCAL=Testnet Monero
# suppress inspection "UnusedProperty"
XMR_STAGENET=Regtest Bitcoin
XMR_STAGENET=Regtest Monero
time.year=Anno
time.month=Mese
@ -1852,7 +1852,7 @@ seed.date=Data portafoglio
seed.restore.title=Ripristina portafogli dalle parole del seed
seed.restore=Ripristina portafogli
seed.creationDate=Data di creazione
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Voglio comunque effettuare il ripristino
seed.warn.walletNotEmpty.emptyWallet=Prima svuoterò i miei portafogli
seed.warn.notEncryptedAnymore=I tuoi portafogli sono crittografati.\n\nDopo il ripristino, i portafogli non saranno più crittografati ed è necessario impostare una nuova password.\n\nVuoi procedere?
@ -1943,12 +1943,12 @@ payment.checking=Verifica
payment.savings=Risparmi
payment.personalId=ID personale
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Alcune banche hanno iniziato a verificare il nome completo del destinatario per i trasferimenti di Faster Payments (UK). Il tuo attuale account Faster Payments non specifica un nome completo.\n\nTi consigliamo di ricreare il tuo account Faster Payments in Haveno per fornire ai futuri acquirenti {0} un nome completo.\n\nQuando si ricrea l'account, assicurarsi di copiare il codice di ordinamento preciso, il numero di account e i valori salt della verifica dell'età dal vecchio account al nuovo account. Ciò garantirà il mantenimento dell'età del tuo account esistente e lo stato della firma.\n 
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Quando utilizza HalCash, l'acquirente BTC deve inviare al venditore BTC il codice HalCash tramite un messaggio di testo dal proprio telefono cellulare.\n\nAssicurati di non superare l'importo massimo che la tua banca ti consente di inviare con HalCash. L'importo minimo per prelievo è di 10 EURO, l'importo massimo è di 600 EURO. Per prelievi ripetuti è di 3000 EURO per destinatario al giorno e 6000 EURO per destintario al mese. Verifica i limiti con la tua banca per accertarti che utilizzino gli stessi limiti indicati qui.\n\nL'importo del prelievo deve essere un multiplo di 10 EURO in quanto non è possibile prelevare altri importi da un bancomat. L'interfaccia utente nella schermata di creazione offerta e accettazione offerta modificherà l'importo BTC in modo che l'importo in EURO sia corretto. Non è possibile utilizzare il prezzo di mercato poiché l'importo in EURO cambierebbe al variare dei prezzi.\n\nIn caso di controversia, l'acquirente BTC deve fornire la prova di aver inviato gli EURO.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Quando utilizza HalCash, l'acquirente XMR deve inviare al venditore XMR il codice HalCash tramite un messaggio di testo dal proprio telefono cellulare.\n\nAssicurati di non superare l'importo massimo che la tua banca ti consente di inviare con HalCash. L'importo minimo per prelievo è di 10 EURO, l'importo massimo è di 600 EURO. Per prelievi ripetuti è di 3000 EURO per destinatario al giorno e 6000 EURO per destintario al mese. Verifica i limiti con la tua banca per accertarti che utilizzino gli stessi limiti indicati qui.\n\nL'importo del prelievo deve essere un multiplo di 10 EURO in quanto non è possibile prelevare altri importi da un bancomat. L'interfaccia utente nella schermata di creazione offerta e accettazione offerta modificherà l'importo XMR in modo che l'importo in EURO sia corretto. Non è possibile utilizzare il prezzo di mercato poiché l'importo in EURO cambierebbe al variare dei prezzi.\n\nIn caso di controversia, l'acquirente XMR deve fornire la prova di aver inviato gli EURO.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1964,7 +1964,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=Informazioni di contatto
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1975,7 +1975,7 @@ payment.f2f.city.prompt=La città verrà visualizzata con l'offerta
payment.shared.optionalExtra=Ulteriori informazioni opzionali
payment.shared.extraInfo=Informazioni aggiuntive
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Apri sito web
payment.f2f.offerbook.tooltip.countryAndCity=Paese e città: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Ulteriori informazioni: {0}
@ -1987,7 +1987,7 @@ payment.japan.recipient=Nome
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2145,7 +2145,7 @@ validation.zero=Un input di 0 non è consentito.
validation.negative=Un valore negativo non è consentito.
validation.traditional.tooSmall=Non è consentito un input inferiore al minimo possibile.
validation.traditional.tooLarge=Non è consentito un input maggiore del massimo possibile.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=L'immissione maggiore di {0} non è consentita.
validation.xmr.tooSmall=L'immissione inferiore a {0} non è consentita.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2155,10 +2155,10 @@ validation.sortCodeChars={0} deve essere composto da {1} caratteri.
validation.bankIdNumber={0} deve essere composto da {1} numeri.
validation.accountNr=Il numero di conto deve essere composto da {0} numeri.
validation.accountNrChars=Il numero di conto deve contenere {0} caratteri.
validation.btc.invalidAddress=L'indirizzo non è corretto Si prega di controllare il formato dell'indirizzo.
validation.xmr.invalidAddress=L'indirizzo non è corretto Si prega di controllare il formato dell'indirizzo.
validation.integerOnly=Inserisci solo numeri interi.
validation.inputError=Il tuo input ha causato un errore:\n{0}
validation.btc.exceedsMaxTradeLimit=Il tuo limite commerciale è {0}.
validation.xmr.exceedsMaxTradeLimit=Il tuo limite commerciale è {0}.
validation.nationalAccountId={0} deve essere composto da {1} numeri.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=了解
shared.na=N/A
shared.shutDown=終了
shared.reportBug=Githubでバグを報告
shared.buyBitcoin=ビットコインを買う
shared.sellBitcoin=ビットコインを売る
shared.buyMonero=ビットコインを買う
shared.sellMonero=ビットコインを売る
shared.buyCurrency={0}を買う
shared.sellCurrency={0}を売る
shared.buyingBTCWith=BTCを{0}で買う
shared.sellingBTCFor=BTCを{0}で売る
shared.buyingCurrency={0}を購入中 (BTCを売却中)
shared.sellingCurrency={0}を売却中 (BTCを購入中)
shared.buyingXMRWith=XMRを{0}で買う
shared.sellingXMRFor=XMRを{0}で売る
shared.buyingCurrency={0}を購入中 (XMRを売却中)
shared.sellingCurrency={0}を売却中 (XMRを購入中)
shared.buy=買う
shared.sell=売る
shared.buying=購入中
@ -93,7 +93,7 @@ shared.amountMinMax=金額(下限 - 上限)
shared.amountHelp=オファーに最小金額と最大金額が設定されている場合は、この範囲内の任意の金額で取引できます。
shared.remove=取り消す
shared.goTo={0} へ
shared.BTCMinMax=BTC (下限 - 上限)
shared.XMRMinMax=XMR (下限 - 上限)
shared.removeOffer=オファー取消
shared.dontRemoveOffer=オファー取り消さない
shared.editOffer=オファーを編集
@ -112,7 +112,7 @@ shared.enterPercentageValue=%を入力
shared.OR=または
shared.notEnoughFunds=このトランザクションには、Havenoウォレットに資金が足りません。\n{0}が必要ですが、Havenoウォレットには{1}しかありません。\n\n外部のビットコインウォレットから入金するか、または「資金 > 資金の受取」でHavenoウォレットに入金してください。
shared.waitingForFunds=資金を待っています
shared.TheBTCBuyer=BTC買い手
shared.TheXMRBuyer=XMR買い手
shared.You=あなた
shared.sendingConfirmation=承認を送信中
shared.sendingConfirmationAgain=もう一度承認を送信してください
@ -169,7 +169,7 @@ shared.payoutTxId=支払いトランザクションID
shared.contractAsJson=JSON形式の契約
shared.viewContractAsJson=JSON形式で見る
shared.contract.title=次のIDとのトレードの契約: {0}
shared.paymentDetails=BTC {0} 支払い詳細
shared.paymentDetails=XMR {0} 支払い詳細
shared.securityDeposit=セキュリティデポジット
shared.yourSecurityDeposit=あなたのセキュリティデポジット
shared.contract=契約
@ -179,7 +179,7 @@ shared.messageSendingFailed=メッセージ送信失敗。エラー: {0}
shared.unlock=ロック解除
shared.toReceive=受け取る
shared.toSpend=費やす
shared.btcAmount=BTC金額
shared.xmrAmount=XMR金額
shared.yourLanguage=あなたの言語
shared.addLanguage=言語を追加
shared.total=合計
@ -226,8 +226,8 @@ shared.enabled=有効されました
####################################################################
mainView.menu.market=相場
mainView.menu.buyBtc=BTCを購入
mainView.menu.sellBtc=BTCを売却
mainView.menu.buyXmr=XMRを購入
mainView.menu.sellXmr=XMRを売却
mainView.menu.portfolio=ポートフォリオ
mainView.menu.funds=資金
mainView.menu.support=サポート
@ -245,9 +245,9 @@ mainView.balance.reserved.short=予約済
mainView.balance.pending.short=ロック中
mainView.footer.usingTor=(Tor経由で)
mainView.footer.localhostBitcoinNode=(ローカルホスト)
mainView.footer.localhostMoneroNode=(ローカルホスト)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ 手数料率: {0} サトシ/vB
mainView.footer.xmrFeeRate=/ 手数料率: {0} サトシ/vB
mainView.footer.xmrInfo.initializing=ビットコインネットワークに接続中
mainView.footer.xmrInfo.synchronizingWith={0}と同期中、ブロック: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith={0}と同期されています、ブロック{1}に
@ -274,7 +274,7 @@ mainView.walletServiceErrorMsg.connectionError=次のエラーのためビット
mainView.walletServiceErrorMsg.rejectedTxException=トランザクションはネットワークに拒否されました。\n\n{0}
mainView.networkWarning.allConnectionsLost=全ての{0}のネットワークピアへの接続が切断されました。\nインターネット接続が切断されたか、コンピュータがスタンバイモードになった可能性があります。
mainView.networkWarning.localhostBitcoinLost=ローカルホストビットコインノードへの接続が切断されました。\nHavenoアプリケーションを再起動して他のビットコインードに接続するか、ローカルホストのビットコインードを再起動してください。
mainView.networkWarning.localhostMoneroLost=ローカルホストビットコインノードへの接続が切断されました。\nHavenoアプリケーションを再起動して他のビットコインードに接続するか、ローカルホストのビットコインードを再起動してください。
mainView.version.update=(更新が利用可能)
@ -299,9 +299,9 @@ market.offerBook.sell=ビットコインを売りたい
# SpreadView
market.spread.numberOfOffersColumn=全てのオファー ({0})
market.spread.numberOfBuyOffersColumn=BTCを買う ({0})
market.spread.numberOfSellOffersColumn=BTCを売る ({0})
market.spread.totalAmountColumn=BTC合計 ({0})
market.spread.numberOfBuyOffersColumn=XMRを買う ({0})
market.spread.numberOfSellOffersColumn=XMRを売る ({0})
market.spread.totalAmountColumn=XMR合計 ({0})
market.spread.spreadColumn=スプレッド
market.spread.expanded=拡張された表示
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=アルトコインのアカウントには署名や
offerbook.nrOffers=オファー数: {0}
offerbook.volume={0} (下限 - 上限)
offerbook.deposit=BTCの敷金(%)
offerbook.deposit=XMRの敷金(%)
offerbook.deposit.help=トレードを保証するため、両方の取引者が支払う敷金。トレードが完了されたら、返還されます。
offerbook.createOfferToBuy={0} を購入するオファーを作成
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=金額は取引のプライバシーを高め
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=BTCの金額を入力
createOffer.amount.prompt=XMRの金額を入力
createOffer.price.prompt=価格を入力
createOffer.volume.prompt={0}の金額を入力
createOffer.amountPriceBox.amountDescription=以下の金額でBTCを{0}
createOffer.amountPriceBox.amountDescription=以下の金額でXMRを{0}
createOffer.amountPriceBox.buy.volumeDescription=支払う{0}の金額
createOffer.amountPriceBox.sell.volumeDescription=受け取る{0}の金額
createOffer.amountPriceBox.minAmountDescription=BTCの最小額
createOffer.amountPriceBox.minAmountDescription=XMRの最小額
createOffer.securityDeposit.prompt=セキュリティデポジット
createOffer.fundsBox.title=あなたのオファーへ入金
createOffer.fundsBox.offerFee=取引手数料
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=オファーの価格は継続的に更新
createOffer.info.buyBelowMarketPrice=オファーの価格は継続的に更新されるため、常に現在の市場価格より{0}%以下で支払いするでしょう。
createOffer.warning.sellBelowMarketPrice=オファーの価格は継続的に更新されるため、常に現在の市場価格より{0}%以下で入手するでしょう。
createOffer.warning.buyAboveMarketPrice=オファーの価格は継続的に更新されるため、常に現在の市場価格より{0}%以上で支払いするでしょう。
createOffer.tradeFee.descriptionBTCOnly=取引手数料
createOffer.tradeFee.descriptionXMROnly=取引手数料
createOffer.tradeFee.descriptionBSQEnabled=トレード手数料通貨を選択
createOffer.triggerPrice.prompt=任意選択価格トリガーを設定する
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=最小値の買い手の保証金は使用さ
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=BTCの金額を入力
takeOffer.amountPriceBox.buy.amountDescription=BTC売却額
takeOffer.amountPriceBox.sell.amountDescription=BTC購入額
takeOffer.amount.prompt=XMRの金額を入力
takeOffer.amountPriceBox.buy.amountDescription=XMR売却額
takeOffer.amountPriceBox.sell.amountDescription=XMR購入額
takeOffer.amountPriceBox.priceDescription={0}のビットコインあたりの価格
takeOffer.amountPriceBox.amountRangeDescription=可能な金額の範囲
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=入力した金額が、許容される小数点以下の桁数を超えています。\n金額は小数点以下第4位に調整されています。
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=入力した金額が、許容される小数点以下の桁数を超えています。\n金額は小数点以下第4位に調整されています。
takeOffer.validation.amountSmallerThanMinAmount=金額はオファーで示された下限額を下回ることができません
takeOffer.validation.amountLargerThanOfferAmount=オファーで示された上限額を上回る金額は入力できません
takeOffer.validation.amountLargerThanOfferAmountMinusFee=その入力額はBTCの売り手にダストチェンジを引き起こします。
takeOffer.validation.amountLargerThanOfferAmountMinusFee=その入力額はXMRの売り手にダストチェンジを引き起こします。
takeOffer.fundsBox.title=あなたのトレードへ入金
takeOffer.fundsBox.isOfferAvailable=オファーが有効か確認中...
takeOffer.fundsBox.tradeAmount=売却額
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=デポジットトランザクション
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=トレードは少なくとも1つのブロックチェーン承認に達しました。\n\n
portfolio.pending.step2_buyer.refTextWarn=注意点:支払う時に、\"支払理由\"のフィールドを空白にしておいて下さい。いかなる場合でも、トレードIDそれとも「ビットコイン」、「BTC」、「Haveno」などを入力しないで下さい。両者にとって許容できる別の\"支払理由\"があれば、自由に取引者チャットで話し合いをして下さい。
portfolio.pending.step2_buyer.refTextWarn=注意点:支払う時に、\"支払理由\"のフィールドを空白にしておいて下さい。いかなる場合でも、トレードIDそれとも「ビットコイン」、「XMR」、「Haveno」などを入力しないで下さい。両者にとって許容できる別の\"支払理由\"があれば、自由に取引者チャットで話し合いをして下さい。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=銀行口座振替を行うには手数料がある場合、その手数料を払う責任があります。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=外部{0}ウォレットから転送してください\nBTCの売り手へ{1}。\n\n
portfolio.pending.step2_buyer.crypto=外部{0}ウォレットから転送してください\nXMRの売り手へ{1}。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=銀行に行き、BTCの売り手へ{0}を支払ってください。\n\n
portfolio.pending.step2_buyer.cash.extra=重要な要件:\n支払いが完了したら、領収書に「返金無し(NO REFUNDS)」と記載してください。\nそれからそれを2部に分け、写真を撮り、そしてBTCの売り手のEメールアドレスへそれを送ってください。
portfolio.pending.step2_buyer.cash=銀行に行き、XMRの売り手へ{0}を支払ってください。\n\n
portfolio.pending.step2_buyer.cash.extra=重要な要件:\n支払いが完了したら、領収書に「返金無し(NO REFUNDS)」と記載してください。\nそれからそれを2部に分け、写真を撮り、そしてXMRの売り手のEメールアドレスへそれを送ってください。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=MoneyGramを使用してBTC売り手へ{0}をお支払いください。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要な要件: \n支払いが完了したら、認証番号と領収書の写真を電子メールでBTCの売り手へ送信して下さい。\n領収書には、売り手の氏名、国、都道府県、および金額を明確に表示する必要があります。売り手のメールアドレス: {0}
portfolio.pending.step2_buyer.moneyGram=MoneyGramを使用してXMR売り手へ{0}をお支払いください。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要な要件: \n支払いが完了したら、認証番号と領収書の写真を電子メールでXMRの売り手へ送信して下さい。\n領収書には、売り手の氏名、国、都道府県、および金額を明確に表示する必要があります。売り手のメールアドレス: {0}
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Western Unionを使用してBTCの売り手へ{0}をお支払いください。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要な要件: \n支払いが完了したら、MTCN追跡番号と領収書の写真を電子メールでBTCの売り手へ送信して下さい。\n領収書には、売り手の氏名、市区町村、国、金額が明確に示されている必要があります。売り手のメールアドレス: {0}
portfolio.pending.step2_buyer.westernUnion=Western Unionを使用してXMRの売り手へ{0}をお支払いください。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要な要件: \n支払いが完了したら、MTCN追跡番号と領収書の写真を電子メールでXMRの売り手へ送信して下さい。\n領収書には、売り手の氏名、市区町村、国、金額が明確に示されている必要があります。売り手のメールアドレス: {0}
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal={0}を「米国の郵便為替」でBTCの売り手に送付してください。\n\n
portfolio.pending.step2_buyer.postal={0}を「米国の郵便為替」でXMRの売り手に送付してください。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=\"郵送で現金\"で、{0}をBTC売り手に送って下さい。詳細な指示はトレード契約書に書いてあります、そして分からない点があれば取引者チャットで質問できます。「郵送で現金」について詳しくはHavenoのWikiを参照[HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail]\n
portfolio.pending.step2_buyer.payByMail=\"郵送で現金\"で、{0}をXMR売り手に送って下さい。詳細な指示はトレード契約書に書いてあります、そして分からない点があれば取引者チャットで質問できます。「郵送で現金」について詳しくはHavenoのWikiを参照[HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail]\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=特定された支払い方法で{0}をBTCの売り手に支払ってお願いします。売り手のアカウント詳細は次の画面に表示されます。\n\n
portfolio.pending.step2_buyer.pay=特定された支払い方法で{0}をXMRの売り手に支払ってお願いします。売り手のアカウント詳細は次の画面に表示されます。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=提供された連絡先でBTCの売り手に連絡し、{0}を支払うためのミーティングを準備してください。\n\n
portfolio.pending.step2_buyer.f2f=提供された連絡先でXMRの売り手に連絡し、{0}を支払うためのミーティングを準備してください。\n\n
portfolio.pending.step2_buyer.startPaymentUsing={0}を使用して支払いを開始
portfolio.pending.step2_buyer.recipientsAccountData=受領者 {0}
portfolio.pending.step2_buyer.amountToTransfer=振替金額
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=使用されるあなたの支払い
portfolio.pending.step2_buyer.paymentSent=支払いが開始されました
portfolio.pending.step2_buyer.warn={0}の支払いはまだ完了していません!\nトレードは{1}までに完了しなければなりません。
portfolio.pending.step2_buyer.openForDispute=支払いを完了していません!\nトレードの最大期間が経過しました。助けを求めるには調停人に連絡してください。
portfolio.pending.step2_buyer.paperReceipt.headline=領収書をBTCの売り手へ送付しましたか?
portfolio.pending.step2_buyer.paperReceipt.msg=覚えておいてください:\n領収書に「返金無し(NO REFUNDS)」と記載してください。\nそれからそれを2部に分け、写真を撮り、そしてBTCの売り手のEメールアドレスへそれを送ってください。
portfolio.pending.step2_buyer.paperReceipt.headline=領収書をXMRの売り手へ送付しましたか?
portfolio.pending.step2_buyer.paperReceipt.msg=覚えておいてください:\n領収書に「返金無し(NO REFUNDS)」と記載してください。\nそれからそれを2部に分け、写真を撮り、そしてXMRの売り手のEメールアドレスへそれを送ってください。
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=認証番号と領収書を送信
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=認証番号と領収書の写真を電子メールでBTCの売り手へ送信する必要があります。\n領収書には、売り手の氏名、国、都道府県、および金額を明確に表示する必要があります。売却者のメールアドレス: {0}\n\n認証番号と契約書を売り手へ送付しましたか
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=認証番号と領収書の写真を電子メールでXMRの売り手へ送信する必要があります。\n領収書には、売り手の氏名、国、都道府県、および金額を明確に表示する必要があります。売却者のメールアドレス: {0}\n\n認証番号と契約書を売り手へ送付しましたか
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=MTCNと領収書を送信
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=あなたはMTCN追跡番号とレシートの写真をBTCの売り手にEメールで送る必要があります。\n領収書には、売り手の氏名、市区町村、国、金額が明確に示されている必要があります。 販売者のメールアドレス: {0}\n\nMTCNと契約書を売り手へ送付しましたか
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=あなたはMTCN追跡番号とレシートの写真をXMRの売り手にEメールで送る必要があります。\n領収書には、売り手の氏名、市区町村、国、金額が明確に示されている必要があります。 販売者のメールアドレス: {0}\n\nMTCNと契約書を売り手へ送付しましたか
portfolio.pending.step2_buyer.halCashInfo.headline=HalCashコードを送信
portfolio.pending.step2_buyer.halCashInfo.msg=HalCashコードと取引ID{0})を含むテキストメッセージをBTCの売り手に送信する必要があります。\n売り手の携帯電話番号は {1} です。\n\n売り手にコードを送信しましたか
portfolio.pending.step2_buyer.halCashInfo.msg=HalCashコードと取引ID{0})を含むテキストメッセージをXMRの売り手に送信する必要があります。\n売り手の携帯電話番号は {1} です。\n\n売り手にコードを送信しましたか
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=銀行によっては、受信者の名前を検証する場合があります。 旧バージョンのHavenoクライアントで作成した「Faster Payments」アカウントでは、受信者の名前は提供されませんので、(必要ならば)トレードチャットで尋ねて下さい。
portfolio.pending.step2_buyer.confirmStart.headline=支払いが開始したことを確認
portfolio.pending.step2_buyer.confirmStart.msg=トレーディングパートナーへの{0}支払いを開始しましたか?
portfolio.pending.step2_buyer.confirmStart.yes=はい、支払いを開始しました
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=支払証明を提出していません
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=トランザクションIDとトランザクション・キーを入力していません。\n\nこのデータを提供しなければ、ピアはXMRを受取る直後にBTCを解放するため自動確認機能を利用できません。\nその上、係争の場合にHavenoはXMRトランザクションの送信者がこの情報を調停者や調停人に送れることを必要とします。\n詳しくはHavenoのWikiを参照 [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades] 。
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=トランザクションIDとトランザクション・キーを入力していません。\n\nこのデータを提供しなければ、ピアはXMRを受取る直後にXMRを解放するため自動確認機能を利用できません。\nその上、係争の場合にHavenoはXMRトランザクションの送信者がこの情報を調停者や調停人に送れることを必要とします。\n詳しくはHavenoのWikiを参照 [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades] 。
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=入力が32バイトの16進値ではありません。
portfolio.pending.step2_buyer.confirmStart.warningButton=無視して続ける
portfolio.pending.step2_seller.waitPayment.headline=支払いをお待ちください
portfolio.pending.step2_seller.f2fInfo.headline=買い手の連絡先
portfolio.pending.step2_seller.waitPayment.msg=デポジットトランザクションには、少なくとも1つのブロックチェーン承認があります。\nBTCの買い手が{0}の支払いを開始するまで待つ必要があります。
portfolio.pending.step2_seller.warn=BTCの買い手はまだ{0}の支払いを行っていません。\n支払いが開始されるまで待つ必要があります。\n取引が{1}で完了していない場合は、調停人が調査します。
portfolio.pending.step2_seller.openForDispute=BTCの買い手は支払いを開始していません!\nトレードの許可された最大期間が経過しました。\nもっと長く待ってトレードピアにもっと時間を与えるか、助けを求めるために調停者に連絡することができます。
portfolio.pending.step2_seller.waitPayment.msg=デポジットトランザクションには、少なくとも1つのブロックチェーン承認があります。\nXMRの買い手が{0}の支払いを開始するまで待つ必要があります。
portfolio.pending.step2_seller.warn=XMRの買い手はまだ{0}の支払いを行っていません。\n支払いが開始されるまで待つ必要があります。\n取引が{1}で完了していない場合は、調停人が調査します。
portfolio.pending.step2_seller.openForDispute=XMRの買い手は支払いを開始していません!\nトレードの許可された最大期間が経過しました。\nもっと長く待ってトレードピアにもっと時間を与えるか、助けを求めるために調停者に連絡することができます。
tradeChat.chatWindowTitle=トレードID '{0}'' のチャットウィンドウ
tradeChat.openChat=チャットウィンドウを開く
tradeChat.rules=このトレードに対する潜在的な問題を解決するため、トレードピアと連絡できます。\nチャットに返事する義務はありません。\n取引者が以下のルールを破ると、係争を開始して調停者や調停人に報告して下さい。\n\nチャット・ルール\n\t●リンクを送らないことマルウェアの危険性。トランザクションIDとブロックチェーンエクスプローラの名前を送ることができます。\n\t●シードワード、プライベートキー、パスワードなどの機密な情報を送らないこと。\n\t●Haveno外のトレードを助長しないことセキュリティーがありません。\n\t●ソーシャル・エンジニアリングや詐欺の行為に参加しないこと。\n\t●チャットで返事されない場合、それともチャットでの連絡が断られる場合、ピアの決断を尊重すること。\n\t●チャットの範囲をトレードに集中しておくこと。チャットはメッセンジャーの代わりや釣りをする場所ではありません。\n\t●礼儀正しく丁寧に話すこと。
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=相手がメッセージ受信を確認
# suppress inspection "UnusedProperty"
message.state.FAILED=メッセージ送信失敗
portfolio.pending.step3_buyer.wait.headline=BTCの売り手の支払い承認をお待ち下さい
portfolio.pending.step3_buyer.wait.info={0}の支払いを受け取るためのBTCの売り手の承認を待っています。
portfolio.pending.step3_buyer.wait.headline=XMRの売り手の支払い承認をお待ち下さい
portfolio.pending.step3_buyer.wait.info={0}の支払いを受け取るためのXMRの売り手の承認を待っています。
portfolio.pending.step3_buyer.wait.msgStateInfo.label=支払いはメッセージステータスを開始
portfolio.pending.step3_buyer.warn.part1a={0} ブロックチェーン上で
portfolio.pending.step3_buyer.warn.part1b=支払いプロバイダ(銀行など)で
portfolio.pending.step3_buyer.warn.part2=BTCの売り手はまだあなたの支払いを確認していません!支払いの送信が成功したかどうか{0}を確認してください。
portfolio.pending.step3_buyer.openForDispute=BTCの売り手があなたの支払いを確認していません!トレードの最大期間が経過しました。もっと長く待って取引相手にもっと時間を与えるか、調停人から援助を求めることができます。
portfolio.pending.step3_buyer.warn.part2=XMRの売り手はまだあなたの支払いを確認していません!支払いの送信が成功したかどうか{0}を確認してください。
portfolio.pending.step3_buyer.openForDispute=XMRの売り手があなたの支払いを確認していません!トレードの最大期間が経過しました。もっと長く待って取引相手にもっと時間を与えるか、調停人から援助を求めることができます。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=あなたのトレード相手は、彼らが{0}の支払いを開始したことを確認しました。\n\n
portfolio.pending.step3_seller.crypto.explorer=あなたの好きな{0}ブロックチェーンエクスプローラで
portfolio.pending.step3_seller.crypto.wallet=あなたの{0}ウォレットで
portfolio.pending.step3_seller.crypto={0}あなたの受け取りアドレスへのトランザクションが{1}かどうかを確認してください\n{2}\nはすでに十分なブロックチェーンの承認があります。\n支払い額は{3}です\n\nポップアップを閉じた後、メイン画面から{4}アドレスをコピーして貼り付けることができます。
portfolio.pending.step3_seller.postal={0}\"米国の郵便為替\"でBTCの買い手から{1}を受け取ったか確認して下さい。
portfolio.pending.step3_seller.postal={0}\"米国の郵便為替\"でXMRの買い手から{1}を受け取ったか確認して下さい。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}\"郵送で現金\"でBTCの買い手から{1}を受け取ったか確認して下さい。
portfolio.pending.step3_seller.payByMail={0}\"郵送で現金\"でXMRの買い手から{1}を受け取ったか確認して下さい。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=トレード相手は{0}の支払いを開始した確認をしました。\n\nオンラインバンキングのWebページにアクセスして、BTCの買い手から{1}を受け取ったか確認してください。
portfolio.pending.step3_seller.cash=支払いは現金入金で行われるので、BTCの買い手は領収書に「返金無し(NO REFUND)」と記入し、2部に分けて写真を電子メールで送ってください。\n\nチャージバックのリスクを回避するために、Eメールを受信したかどうか、および領収書が有効であることが確実であるかどうかを確認してください。\nよくわからない場合は、{0}
portfolio.pending.step3_seller.moneyGram=買い手は承認番号と領収書の写真を電子メールで送信する必要があります。\n領収書には、氏名、国、州、および金額を明確に記載する必要があります。 認証番号を受け取った場合は、メールを確認してください。\n\nそのポップアップを閉じた後、あなたはMoneyGramからお金を得るためのBTC買い手の名前と住所を見られるでしょう。\n\nあなたが正常にお金を得た後にのみ領収書を承認してください
portfolio.pending.step3_seller.westernUnion=買い手はMTCN追跡番号と領収書の写真をEメールで送信する必要があります。\n領収書には、氏名、市区町村、国、金額が明確に記載されている必要があります。 MTCNを受け取った場合は、メールを確認してください。\n\nそのポップアップを閉じた後、あなたはWestern Unionからお金を得るためのBTC買い手の名前と住所を見られるでしょう。\n\nあなたが正常にお金を得た後にのみ領収書を承認してください
portfolio.pending.step3_seller.bank=トレード相手は{0}の支払いを開始した確認をしました。\n\nオンラインバンキングのWebページにアクセスして、XMRの買い手から{1}を受け取ったか確認してください。
portfolio.pending.step3_seller.cash=支払いは現金入金で行われるので、XMRの買い手は領収書に「返金無し(NO REFUND)」と記入し、2部に分けて写真を電子メールで送ってください。\n\nチャージバックのリスクを回避するために、Eメールを受信したかどうか、および領収書が有効であることが確実であるかどうかを確認してください。\nよくわからない場合は、{0}
portfolio.pending.step3_seller.moneyGram=買い手は承認番号と領収書の写真を電子メールで送信する必要があります。\n領収書には、氏名、国、州、および金額を明確に記載する必要があります。 認証番号を受け取った場合は、メールを確認してください。\n\nそのポップアップを閉じた後、あなたはMoneyGramからお金を得るためのXMR買い手の名前と住所を見られるでしょう。\n\nあなたが正常にお金を得た後にのみ領収書を承認してください
portfolio.pending.step3_seller.westernUnion=買い手はMTCN追跡番号と領収書の写真をEメールで送信する必要があります。\n領収書には、氏名、市区町村、国、金額が明確に記載されている必要があります。 MTCNを受け取った場合は、メールを確認してください。\n\nそのポップアップを閉じた後、あなたはWestern Unionからお金を得るためのXMR買い手の名前と住所を見られるでしょう。\n\nあなたが正常にお金を得た後にのみ領収書を承認してください
portfolio.pending.step3_seller.halCash=買い手はHalCashコードをテキストメッセージとして送信する必要があります。それに加えて、HalCash対応ATMからEURを出金するために必要な情報を含むメッセージがHalCashから届きます。\n\nあなたはATMからお金を得た後、ここで支払いの領収書を承認して下さい
portfolio.pending.step3_seller.amazonGiftCard=買い手はEメールアドレス、それともSMSで携帯電話番号までアマゾンeGiftカードを送りました。アマゾンアカウントにeGiftカードを受け取って、済ましたら支払いの受領を確認して下さい。
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=トランザクションID
portfolio.pending.step3_seller.xmrTxKey=トランザクション・キー
portfolio.pending.step3_seller.buyersAccount=買い手のアカウント・データ
portfolio.pending.step3_seller.confirmReceipt=支払い受領を確認
portfolio.pending.step3_seller.buyerStartedPayment=BTCの買い手が{0}の支払いを開始しました。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=XMRの買い手が{0}の支払いを開始しました。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=あなたのアルトコインウォレットやブロックエクスプローラーでブロックチェーンの確認を確認し、十分なブロックチェーンの承認があるときに支払いを確認してください。
portfolio.pending.step3_seller.buyerStartedPayment.traditional=あなたのトレードアカウント(例えば銀行口座)をチェックして、あなたが支払いを受領した時に承認して下さい。
portfolio.pending.step3_seller.warn.part1a={0} blockchain上で
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=あなたの取引相手
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=また、銀行取引明細書に記載されている送付者の名前が、トレード契約書のものと一致していることも確認してください:\nトレード契約書とおり、送信者の名前: {0}\n\n送付者の名前がここに表示されているものと異なる場合は、支払いの受領を承認しないで下さい。「alt + o」または「option + o」を入力して係争を開始して下さい。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=領収書の確認が済むとすぐに、ロックされたトレード金額がBTCの買い手に解放され、保証金が返金されます。\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=領収書の確認が済むとすぐに、ロックされたトレード金額がXMRの買い手に解放され、保証金が返金されます。\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=支払いを受け取ったことを確認
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=はい、支払いを受け取りました
portfolio.pending.step3_seller.onPaymentReceived.signer=重要:支払いの受け取りを承認すると、相手方のアカウントを検証して署名することになります。相手方のアカウントはまだ署名されていないので、支払取り消しリスクを減らすために支払いの承認をできる限り延期して下さい。
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=取引手数料
portfolio.pending.step5_buyer.makersMiningFee=マイニング手数料
portfolio.pending.step5_buyer.takersMiningFee=合計マイニング手数料
portfolio.pending.step5_buyer.refunded=返金されたセキュリティデポジット
portfolio.pending.step5_buyer.withdrawBTC=ビットコインを出金する
portfolio.pending.step5_buyer.withdrawXMR=ビットコインを出金する
portfolio.pending.step5_buyer.amount=出金額
portfolio.pending.step5_buyer.withdrawToAddress=出金先アドレス
portfolio.pending.step5_buyer.moveToHavenoWallet=資金をHavenoウォレットに保管する
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=すでに受け入れて
portfolio.pending.failedTrade.taker.missingTakerFeeTx=欠測テイカー手数料のトランザクション。\n\nこのtxがなければ、トレードを完了できません。資金はロックされず、トレード手数料は支払いませんでした。「失敗トレード」へ送ることができます。
portfolio.pending.failedTrade.maker.missingTakerFeeTx=ピアのテイカー手数料のトランザクションは欠測します。\n\nこのtxがなければ、トレードを完了できません。資金はロックされませんでした。あなたのオファーがまだ他の取引者には有効ですので、メイカー手数料は失っていません。このトレードを「失敗トレード」へ送ることができます。
portfolio.pending.failedTrade.missingDepositTx=入金トランザクション2-of-2マルチシグトランザクションは欠測します。\n\nこのtxがなければ、トレードを完了できません。資金はロックされませんでしたが、トレード手数料は支払いました。トレード手数料の返済要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nこのトレードを「失敗トレード」へ送れます。
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=遅延支払いトランザクションは欠測しますが、資金は入金トランザクションにロックされました。\n\nこの法定通貨・アルトコイン支払いをBTC売り手に送信しないで下さい。遅延支払いtxがなければ、係争仲裁は開始されることができません。代りに、「Cmd/Ctrl+o」で調停チケットをオープンして下さい。調停者はおそらく両方のピアへセキュリティデポジットの全額を払い戻しを提案します売り手はトレード金額も払い戻しを受ける。このような方法でセキュリティーのリスクがなし、トレード手数料のみが失われます。\n\n失われたトレード手数料の払い戻し要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=遅延支払いトランザクションは欠測しますが、資金は入金トランザクションにロックされました。\n\nこの法定通貨・アルトコイン支払いをXMR売り手に送信しないで下さい。遅延支払いtxがなければ、係争仲裁は開始されることができません。代りに、「Cmd/Ctrl+o」で調停チケットをオープンして下さい。調停者はおそらく両方のピアへセキュリティデポジットの全額を払い戻しを提案します売り手はトレード金額も払い戻しを受ける。このような方法でセキュリティーのリスクがなし、トレード手数料のみが失われます。\n\n失われたトレード手数料の払い戻し要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=遅延支払いトランザクションは欠測しますが、資金は入金トランザクションにロックされました。\n\n買い手の遅延支払いトランザクションが同じく欠測される場合、相手は支払いを送信せず調停チケットをオープンするように指示されます。同様に「Cmd/Ctrl+o」で調停チケットをオープンするのは賢明でしょう。\n\n買い手はまだ支払いを送信しなかった場合、調停者はおそらく両方のピアへセキュリティデポジットの全額を払い戻しを提案します売り手はトレード金額も払い戻しを受ける。さもなければ、トレード金額は買い手に支払われるでしょう。\n\n失われたトレード手数料の払い戻し要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=トレードプロトコルの実行にはエラーが生じました。\n\nエラー {0}\n\nクリティカル・エラーではない可能性はあり、トレードは普通に完了できるかもしれない。迷う場合は調停チケットをオープンして、Haveno調停者からアドバイスを受けることができます。\n\nクリティカル・エラーでトレードが完了できなかった場合はトレード手数料は失われた可能性があります。失われたトレード手数料の払い戻し要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=トレード契約書は設定されません。\n\nトレードは完了できません。トレード手数料は失われた可能性もあります。その場合は失われたトレード手数料の払い戻し要求はここから提出できます [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Havenoウォレットに入金
funds.deposit.noAddresses=デポジットアドレスはまだ生成されていません
funds.deposit.fundWallet=あなたのウォレットに入金
funds.deposit.withdrawFromWallet=ウォレットから資金を送金
funds.deposit.amount=BTCの金額(オプション)
funds.deposit.amount=XMRの金額(オプション)
funds.deposit.generateAddress=新しいアドレスの生成
funds.deposit.generateAddressSegwit=ネイティブセグウィットのフォーマット(Bech32)
funds.deposit.selectUnused=新しいアドレスを生成するのではなく、上の表から未使用のアドレスを選択してください。
@ -890,7 +890,7 @@ funds.tx.revert=元に戻す
funds.tx.txSent=トランザクションはローカルHavenoウォレットの新しいアドレスに正常に送信されました。
funds.tx.direction.self=自分自身に送信済み
funds.tx.dustAttackTx=ダストを受取りました
funds.tx.dustAttackTx.popup=このトランザクションはごくわずかなBTC金額をあなたのウォレットに送っているので、あなたのウォレットを盗もうとするチェーン解析会社による試みかもしれません。\n\nあなたが支払い取引でそのトランザクションアウトプットを使うならば、彼らはあなたが他のアドレスの所有者である可能性が高いことを学びますコインマージ。\n\nあなたのプライバシーを保護するために、Havenoウォレットは、支払い目的および残高表示において、そのようなダストアウトプットを無視します。 設定でアウトプットがダストと見なされるときのしきい値を設定できます。
funds.tx.dustAttackTx.popup=このトランザクションはごくわずかなXMR金額をあなたのウォレットに送っているので、あなたのウォレットを盗もうとするチェーン解析会社による試みかもしれません。\n\nあなたが支払い取引でそのトランザクションアウトプットを使うならば、彼らはあなたが他のアドレスの所有者である可能性が高いことを学びますコインマージ。\n\nあなたのプライバシーを保護するために、Havenoウォレットは、支払い目的および残高表示において、そのようなダストアウトプットを無視します。 設定でアウトプットがダストと見なされるときのしきい値を設定できます。
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=メッセージ受信箱に保存されました
support.arrived=メッセージが受信者へ届きました
support.acknowledged=受信者からメッセージ到着が確認されました
support.error=受信者がメッセージを処理できませんでした。エラー: {0}
support.buyerAddress=BTC買い手のアドレス
support.sellerAddress=BTC売り手のアドレス
support.buyerAddress=XMR買い手のアドレス
support.sellerAddress=XMR売り手のアドレス
support.role=役割
support.agent=サポート代理人
support.state=状態
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=クローズ
support.open=オープン
support.process=Process
support.buyerMaker=BTC 買い手/メイカー
support.sellerMaker=BTC 売り手/メイカー
support.buyerTaker=BTC 買い手/テイカー
support.sellerTaker=BTC 売り手/テイカー
support.buyerMaker=XMR 買い手/メイカー
support.sellerMaker=XMR 売り手/メイカー
support.buyerTaker=XMR 買い手/テイカー
support.sellerTaker=XMR 売り手/テイカー
support.backgroundInfo=Havenoは企業ではないため、紛争の処理が異なります。\n\n取引者は、アプリケーション内でセキュアなチャットを使用してオープンな取引画面でコミュニケーションを取り、自分自身で紛争を解決しようとすることができます。それが十分でない場合、仲裁者が状況を評価し、取引資金の支払いを決定します。
support.initialInfo=下のテキストフィールドに問題の説明を入力してください。係争解決の時間を短縮するために、可能な限り多くの情報を追加してください。\n\n提供する必要がある情報のチェックリストを次に示します:\n\t●BTC買い手の場合:法定通貨またはアルトコインの送金を行いましたか?その場合、アプリケーションの「支払い開始」ボタンをクリックしましたか?\n\t●BTC売り手の場合:法定通貨またはアルトコインの支払いを受け取りましたか?その場合、アプリケーションの「支払いを受け取った」ボタンをクリックしましたか?\n\t●どのバージョンのHavenoを使用していますか\n\t●どのオペレーティングシステムを使用していますか\n\t●失敗したトランザクションで問題が発生した場合は、新しいデータディレクトリへの切り替えを検討してください。\n\t データディレクトリが破損し、不可解なバグが発生している場合があります。\n\t 参照https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n係争プロセスの基本的なルールをよく理解してください:\n\t●2日以内に{0}の要求に応答する必要があります。\n\t●調停者は2日以内に返事をするでしょう。調停人は5営業日以内に返事をするでしょう。\n\t●係争の最大期間は14日間です。\n\t●{1}と協力し、彼らがあなたの主張をするために、要求された情報を提供する必要があります\n\t●あなたは申請を最初に開始したときに、ユーザー契約の係争文書に記載されている規則を受け入れています。\n\n係争プロセスの詳細については、{2} をご覧ください。
support.initialInfo=下のテキストフィールドに問題の説明を入力してください。係争解決の時間を短縮するために、可能な限り多くの情報を追加してください。\n\n提供する必要がある情報のチェックリストを次に示します:\n\t●XMR買い手の場合:法定通貨またはアルトコインの送金を行いましたか?その場合、アプリケーションの「支払い開始」ボタンをクリックしましたか?\n\t●XMR売り手の場合:法定通貨またはアルトコインの支払いを受け取りましたか?その場合、アプリケーションの「支払いを受け取った」ボタンをクリックしましたか?\n\t●どのバージョンのHavenoを使用していますか\n\t●どのオペレーティングシステムを使用していますか\n\t●失敗したトランザクションで問題が発生した場合は、新しいデータディレクトリへの切り替えを検討してください。\n\t データディレクトリが破損し、不可解なバグが発生している場合があります。\n\t 参照https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n係争プロセスの基本的なルールをよく理解してください:\n\t●2日以内に{0}の要求に応答する必要があります。\n\t●調停者は2日以内に返事をするでしょう。調停人は5営業日以内に返事をするでしょう。\n\t●係争の最大期間は14日間です。\n\t●{1}と協力し、彼らがあなたの主張をするために、要求された情報を提供する必要があります\n\t●あなたは申請を最初に開始したときに、ユーザー契約の係争文書に記載されている規則を受け入れています。\n\n係争プロセスの詳細については、{2} をご覧ください。
support.systemMsg=システムメッセージ: {0}
support.youOpenedTicket=サポートのリクエスト開始しました。\n\n{0}\n\nHavenoバージョン: {1}
support.youOpenedDispute=係争のリクエスト開始しました。\n\n{0}\n\nHavenoバージョン: {1}
@ -985,7 +985,7 @@ setting.preferences.avoidStandbyMode=スタンバイモードを避ける
setting.preferences.autoConfirmXMR=XMR自動確認
setting.preferences.autoConfirmEnabled=有効されました
setting.preferences.autoConfirmRequiredConfirmations=必要承認
setting.preferences.autoConfirmMaxTradeSize=最大トレード金額(BTC)
setting.preferences.autoConfirmMaxTradeSize=最大トレード金額(XMR)
setting.preferences.autoConfirmServiceAddresses=モネロエクスプローラURLlocalhost、LANのIPアドレス、または*.localのホストネーム以外はTorを利用します
setting.preferences.deviationToLarge={0}%以上の値は許可されていません。
setting.preferences.txFee=出金トランザクション手数料 (satoshis/vbyte)
@ -1022,21 +1022,21 @@ settings.preferences.editCustomExplorer.name=名義
settings.preferences.editCustomExplorer.txUrl=トランザクションURL
settings.preferences.editCustomExplorer.addressUrl=アドレスURL
settings.net.btcHeader=ビットコインのネットワーク
settings.net.xmrHeader=ビットコインのネットワーク
settings.net.p2pHeader=Havenoネットワーク
settings.net.onionAddressLabel=私のonionアドレス
settings.net.xmrNodesLabel=任意のモネロノードを使う
settings.net.moneroPeersLabel=接続されたピア
settings.net.useTorForXmrJLabel=MoneroネットワークにTorを使用
settings.net.moneroNodesLabel=接続するMoneroード:
settings.net.useProvidedNodesRadio=提供されたBitcoin Core ノードを使う
settings.net.useProvidedNodesRadio=提供されたMonero Core ノードを使う
settings.net.usePublicNodesRadio=ビットコインの公共ネットワークを使用
settings.net.useCustomNodesRadio=任意のビットコインノードを使う
settings.net.warn.usePublicNodes=パブリックなMoneroードを使用する場合、信頼できないリモートードを使用するリスクにさらされる可能性があります。\n\n詳細については、[HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html] をご覧ください。\n\nパブリックードを使用することを確認してもよろしいですか
settings.net.warn.usePublicNodes.useProvided=いいえ、提供されたノードを使用します
settings.net.warn.usePublicNodes.usePublic=はい、公共ネットワークを使います
settings.net.warn.useCustomNodes.B2XWarning=あなたのBitcoinードが信頼できるBitcoin Coreードであることを確認してください\n\nBitcoin Coreのコンセンサスルールに従わないードに接続すると、ウォレットが破損し、トレードプロセスに問題が生じる可能性があります。\n\nコンセンサスルールに違反するードへ接続したユーザーは、引き起こされるいかなる損害に対しても責任を負います。 結果として生じる係争は、他のピアによって決定されます。この警告と保護のメカニズムを無視しているユーザーには、テクニカルサポートは提供されません!
settings.net.warn.invalidBtcConfig=無効な設定によりビットコインネットワークとの接続は失敗しました。\n\n代りに提供されたビットコインードを利用するのに設定はリセットされました。アプリを再起動する必要があります。
settings.net.warn.useCustomNodes.B2XWarning=あなたのMoneroードが信頼できるMonero Coreードであることを確認してください\n\nMonero Coreのコンセンサスルールに従わないードに接続すると、ウォレットが破損し、トレードプロセスに問題が生じる可能性があります。\n\nコンセンサスルールに違反するードへ接続したユーザーは、引き起こされるいかなる損害に対しても責任を負います。 結果として生じる係争は、他のピアによって決定されます。この警告と保護のメカニズムを無視しているユーザーには、テクニカルサポートは提供されません!
settings.net.warn.invalidXmrConfig=無効な設定によりビットコインネットワークとの接続は失敗しました。\n\n代りに提供されたビットコインードを利用するのに設定はリセットされました。アプリを再起動する必要があります。
settings.net.localhostXmrNodeInfo=バックグラウンド情報Havenoが起動時に、ローカルビットコインードを探します。見つかれば、Havenoはそのードを排他的に介してビットコインネットワークと接続します。
settings.net.p2PPeersLabel=接続されたピア
settings.net.onionAddressColumn=Onionアドレス
@ -1044,7 +1044,7 @@ settings.net.creationDateColumn=既定
settings.net.connectionTypeColumn=イン/アウト
settings.net.sentDataLabel=通信されたデータ統計
settings.net.receivedDataLabel=受信されたデータ統計
settings.net.chainHeightLabel=BTCの最新ブロック高さ
settings.net.chainHeightLabel=XMRの最新ブロック高さ
settings.net.roundTripTimeColumn=往復
settings.net.sentBytesColumn=送信済
settings.net.receivedBytesColumn=受信済
@ -1059,7 +1059,7 @@ settings.net.needRestart=その変更を適用するには、アプリケーシ
settings.net.notKnownYet=まだわかりません...
settings.net.sentData=通信されたデータ: {0}, {1} メッセージ、 {2} メッセージ/秒
settings.net.receivedData=受信されたデータ: {0}, {1} メッセージ、 {2} メッセージ/秒
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[IPアドレス:ポート | ホスト名:ポート | onionアドレス:ポート](コンマ区切り)。デフォルト(8333)が使用される場合、ポートは省略できます。
settings.net.seedNode=シードノード
settings.net.directPeer=ピア (ダイレクト)
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=未決トレードを選択してク
setting.about.shortcuts.walletDetails=ウォレット詳細ウィンドウを開く
setting.about.shortcuts.openEmergencyBtcWalletTool=BTCウォレットに対する緊急ウォレットツールを開く
setting.about.shortcuts.openEmergencyXmrWalletTool=XMRウォレットに対する緊急ウォレットツールを開く
setting.about.shortcuts.showTorLogs=TorメッセージのログレベルをDEBUGとWARNを切り替える
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=ピアにプライベート通
setting.about.shortcuts.sendPrivateNotification.value=アバターからピア情報を開いて押す:{0}
setting.info.headline=新しいXMR自動確認の機能
setting.info.msg=BTC売ってXMR買う場合、Havenoが自動的にトレードを完了としてマークできるように自動確認機能で適正量のXMRはウォレットに送られたかを検証できます。その際、皆にトレードをより早く完了できるようにします。\n\n自動確認はXMR送信者が提供するプライベート・トランザクション・キーを利用して少なくとも2つのXMRエクスプローラードでXMRトランザクションを確認します。デフォルト設定でHavenoは貢献者に管理されるエクスプローラードを利用しますが、最大のプライバシーやセキュリティーのため自分のXMRエクスプローラードを管理するのをおすすめします。\n\n1つのトレードにつき自動確認する最大額のBTC、そして必要承認の数をこの画面で設定できます。\n\nHavenoのWikiから詳細自分のエクスプローラードを管理する方法も含めてを参照できます [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=XMR売ってXMR買う場合、Havenoが自動的にトレードを完了としてマークできるように自動確認機能で適正量のXMRはウォレットに送られたかを検証できます。その際、皆にトレードをより早く完了できるようにします。\n\n自動確認はXMR送信者が提供するプライベート・トランザクション・キーを利用して少なくとも2つのXMRエクスプローラードでXMRトランザクションを確認します。デフォルト設定でHavenoは貢献者に管理されるエクスプローラードを利用しますが、最大のプライバシーやセキュリティーのため自分のXMRエクスプローラードを管理するのをおすすめします。\n\n1つのトレードにつき自動確認する最大額のXMR、そして必要承認の数をこの画面で設定できます。\n\nHavenoのWikiから詳細自分のエクスプローラードを管理する方法も含めてを参照できます [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1151,7 +1151,7 @@ account.menu.backup=バックアップ
account.menu.notifications=通知
account.menu.walletInfo.balance.headLine=ウォレット残高
account.menu.walletInfo.balance.info=非確認されたトランザクションも含めて、内部ウォレット残高を表示します。\nBTCの場合、下に表示される「内部ウォレット残高」はこのウィンドウの右上に表示される「利用可能」と「予約済」の和に等しいはずです。
account.menu.walletInfo.balance.info=非確認されたトランザクションも含めて、内部ウォレット残高を表示します。\nXMRの場合、下に表示される「内部ウォレット残高」はこのウィンドウの右上に表示される「利用可能」と「予約済」の和に等しいはずです。
account.menu.walletInfo.xpub.headLine=ウォッチキーxpubキー
account.menu.walletInfo.walletSelector={0} {1} ウォレット
account.menu.walletInfo.path.headLine=HDキーチェーンのパス
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=ParsiCoinをHavenoでトレードするには、
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=HavenoでL-BTCをトレードするには、以下を理解する必要があります:\n\nHavenoでのトレードにL-BTCを受け取る場合、モバイル用「Blockstream Green」ウォレットアプリそれとも取引場などの第三者によって保管されるウォレットの利用は不可能です。「Liquid Elements Core」ウォレット、あるいは機密L-BTCアドレスの「blindingキー」が入手可能のウォレットのみにL-BTCを受け取って下さい。\n\n調停が必要になる場合、あるいはトレード係争が開始される場合、調停者や調停人が「Elements Core」フルードで機密トランザクションを検証できるように、受取アドレスのblindingキーを明かす必要があります。\n\n調停者や調停人に必要な情報を提供しなければ、係争で不利な裁定を下されます。全ての係争には、調停者や調停人に暗号証明を提供するのは100%受信者の責任です。\n\n以上の条件を理解しない場合、HavenoでL-BTCのトレードをしないで下さい。
account.crypto.popup.liquidmonero.msg=HavenoでL-XMRをトレードするには、以下を理解する必要があります:\n\nHavenoでのトレードにL-XMRを受け取る場合、モバイル用「Blockstream Green」ウォレットアプリそれとも取引場などの第三者によって保管されるウォレットの利用は不可能です。「Liquid Elements Core」ウォレット、あるいは機密L-XMRアドレスの「blindingキー」が入手可能のウォレットのみにL-XMRを受け取って下さい。\n\n調停が必要になる場合、あるいはトレード係争が開始される場合、調停者や調停人が「Elements Core」フルードで機密トランザクションを検証できるように、受取アドレスのblindingキーを明かす必要があります。\n\n調停者や調停人に必要な情報を提供しなければ、係争で不利な裁定を下されます。全ての係争には、調停者や調停人に暗号証明を提供するのは100%受信者の責任です。\n\n以上の条件を理解しない場合、HavenoでL-XMRのトレードをしないで下さい。
account.traditional.yourTraditionalAccounts=あなたの各国通貨口座
@ -1229,7 +1229,7 @@ account.password.setPw.headline=ウォレットのパスワード保護をセッ
account.password.info=パスワード保護が有効な場合、アプリケーションを起動する際、ウォレットからモネロを引き出す際、およびシードワードを表示する際にパスワードを入力する必要があります。
account.seed.backup.title=あなたのウォレットのシードワードをバックアップ
account.seed.info=ウォレットのシードワードと日付の両方を書き留めてください!あなたはシードワードと日付でいつでもウォレットを復元することができます。\nBTCおよびBSQウォレットには同じシードワードが使用されています。\n\nあなたは一枚の紙にシードワードを書き留めるべきです。コンピュータに保存しないでください。\n\nシードワードはバックアップの代わりにはならないことに気をつけて下さい。\nアプリケーションの状態とデータを復元するには「アカウント/バックアップ」画面からアプリケーションディレクトリ全体のバックアップを作成する必要があります。\nシードワードのインポートは緊急の場合にのみ推奨されます。データベースファイルとキーの適切なバックアップがなければ、アプリケーションは機能しません
account.seed.info=ウォレットのシードワードと日付の両方を書き留めてください!あなたはシードワードと日付でいつでもウォレットを復元することができます。\nXMRおよびBSQウォレットには同じシードワードが使用されています。\n\nあなたは一枚の紙にシードワードを書き留めるべきです。コンピュータに保存しないでください。\n\nシードワードはバックアップの代わりにはならないことに気をつけて下さい。\nアプリケーションの状態とデータを復元するには「アカウント/バックアップ」画面からアプリケーションディレクトリ全体のバックアップを作成する必要があります。\nシードワードのインポートは緊急の場合にのみ推奨されます。データベースファイルとキーの適切なバックアップがなければ、アプリケーションは機能しません
account.seed.backup.warning=ここで留意すべきはシードワードがバックアップの代りとして機能を果たさないことです。\nアプリケーションステートとデータを復元するのに、「アカウント/バックアップ」画面からアプリケーションディレクトリの完全バックアップを作成する必要があります。\nシードワードのインポートは緊急の場合のみにおすすめします。データベースファイルとキーの正当なバックアップがなければ、アプリケーションは機能するようになれません\n\n詳しくはWikiのページから [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data]
account.seed.warn.noPw.msg=シードワードの表示を保護するためのウォレットパスワードを設定していません。 \n\nシードワードを表示しますか
account.seed.warn.noPw.yes=はい、そして次回から確認しないで下さい
@ -1259,13 +1259,13 @@ account.notifications.trade.label=トレードメッセージを受信
account.notifications.market.label=オファーアラートを受信
account.notifications.price.label=価格アラートを受信
account.notifications.priceAlert.title=価格アラート
account.notifications.priceAlert.high.label=BTC価格が次を上回ったら通知
account.notifications.priceAlert.low.label=BTC価格が次を下回ったら通知
account.notifications.priceAlert.high.label=XMR価格が次を上回ったら通知
account.notifications.priceAlert.low.label=XMR価格が次を下回ったら通知
account.notifications.priceAlert.setButton=価格アラートをセット
account.notifications.priceAlert.removeButton=価格アラートを削除
account.notifications.trade.message.title=トレード状態が変わった
account.notifications.trade.message.msg.conf=ID {0}とのトレードのデポジットトランザクションが承認されました。 Havenoアプリケーションを開いて支払いを開始してください。
account.notifications.trade.message.msg.started=BTCの買い手がID {0}とのトレードの支払いを開始しました。
account.notifications.trade.message.msg.started=XMRの買い手がID {0}とのトレードの支払いを開始しました。
account.notifications.trade.message.msg.completed=ID {0}とのトレードが完了しました。
account.notifications.offer.message.title=オファーが受け入れられました
account.notifications.offer.message.msg=ID {0}とのオファーが受け入れられました
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=ID {0}とのトレードに関する
account.notifications.marketAlert.title=オファーのアラート
account.notifications.marketAlert.selectPaymentAccount=支払いアカウントと一致するオファー
account.notifications.marketAlert.offerType.label=興味のあるオファータイプ
account.notifications.marketAlert.offerType.buy=購入のオファー(BTCを売りたい)
account.notifications.marketAlert.offerType.sell=売却のオファー(BTCを買いたい)
account.notifications.marketAlert.offerType.buy=購入のオファー(XMRを売りたい)
account.notifications.marketAlert.offerType.sell=売却のオファー(XMRを買いたい)
account.notifications.marketAlert.trigger=オファー価格の乖離 (%)
account.notifications.marketAlert.trigger.info=価格乖離を設定すると、要件を満たす(または超える)オファーが公開されたときにのみアラートを受信します。例:BTCを売りたい時、現在の市場価格に対して2のプレミアムでのみ販売。このフィールドを2に設定すると、現在の市場価格よりも2またはそれ以上高い価格のオファーのアラートのみを受け取るようになります。
account.notifications.marketAlert.trigger.info=価格乖離を設定すると、要件を満たす(または超える)オファーが公開されたときにのみアラートを受信します。例:XMRを売りたい時、現在の市場価格に対して2のプレミアムでのみ販売。このフィールドを2に設定すると、現在の市場価格よりも2またはそれ以上高い価格のオファーのアラートのみを受け取るようになります。
account.notifications.marketAlert.trigger.prompt=市場価格からの乖離の割合2.50%、-0.50%など)
account.notifications.marketAlert.addButton=オファーアラートを追加
account.notifications.marketAlert.manageAlertsButton=オファーアラートを管理
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=利用可能残高
contractWindow.title=係争の詳細
contractWindow.dates=オファーの日付 / トレードの日付
contractWindow.btcAddresses=ビットコインアドレス BTC買い手 / BTC売り手
contractWindow.onions=ネットワークアドレス BTC買い手 / BTC売り手
contractWindow.accountAge=アカウント年齢 BTC買い手 / BTC売り手
contractWindow.numDisputes=調停人の数 BTCの買い手 / BTCの売り手
contractWindow.xmrAddresses=ビットコインアドレス XMR買い手 / XMR売り手
contractWindow.onions=ネットワークアドレス XMR買い手 / XMR売り手
contractWindow.accountAge=アカウント年齢 XMR買い手 / XMR売り手
contractWindow.numDisputes=調停人の数 XMRの買い手 / XMRの売り手
contractWindow.contractHash=契約ハッシュ
displayAlertMessageWindow.headline=重要な情報!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=概要
disputeSummaryWindow.openDate=チケットオープン日
disputeSummaryWindow.role=取引者の役割
disputeSummaryWindow.payout=トレード金額の支払い
disputeSummaryWindow.payout.getsTradeAmount=BTC {0}はトレード金額の支払いを受け取ります
disputeSummaryWindow.payout.getsAll=BTCへの最高額支払い {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0}はトレード金額の支払いを受け取ります
disputeSummaryWindow.payout.getsAll=XMRへの最高額支払い {0}
disputeSummaryWindow.payout.custom=任意の支払い
disputeSummaryWindow.payoutAmount.buyer=買い手の支払額
disputeSummaryWindow.payoutAmount.seller=売り手の支払額
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=チケットを閉じる
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=チケットは {0} に閉じられました\n{1} ノードアドレス: {2}\n\nまとめ\nトレードID: {3}\n通貨: {4}\nトレード金額: {5}\n買い手のBTC支払額: {6}\n売り手のBTC支払額 {7}\n\n係争の理由: {8}\n\n概要ート:\n{9}\n
disputeSummaryWindow.close.msg=チケットは {0} に閉じられました\n{1} ノードアドレス: {2}\n\nまとめ\nトレードID: {3}\n通貨: {4}\nトレード金額: {5}\n買い手のXMR支払額: {6}\n売り手のXMR支払額 {7}\n\n係争の理由: {8}\n\n概要ート:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1427,11 +1427,11 @@ filterWindow.autoConfExplorers=フィルター済自動確認エクスプロー
filterWindow.disableTradeBelowVersion=トレードに必要な最低バージョン
filterWindow.add=フィルターを追加
filterWindow.remove=フィルターを削除
filterWindow.xmrFeeReceiverAddresses=BTC手数料受信アドレス
filterWindow.xmrFeeReceiverAddresses=XMR手数料受信アドレス
filterWindow.disableApi=APIを無効化
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=最小のBTC金額
offerDetailsWindow.minXmrAmount=最小のXMR金額
offerDetailsWindow.min=(最小 {0}
offerDetailsWindow.distance=(市場価格からの乖離: {0}
offerDetailsWindow.myTradingAccount=私のトレードアカウント
@ -1496,7 +1496,7 @@ tradeDetailsWindow.agentAddresses=仲裁者 / 調停人
tradeDetailsWindow.detailData=詳細データ
txDetailsWindow.headline=トランザクション詳細
txDetailsWindow.xmr.note=BTCを送金しました。
txDetailsWindow.xmr.note=XMRを送金しました。
txDetailsWindow.sentTo=送信先
txDetailsWindow.txId=TxId
@ -1506,7 +1506,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=アンロックするためにパスワードを入力してください
@ -1532,12 +1532,12 @@ torNetworkSettingWindow.bridges.header=Torはブロックされていますか
torNetworkSettingWindow.bridges.info=Torがあなたのインターネットプロバイダや国にブロックされている場合、Torブリッジによる接続を試みることができます。\nTorのWebページ https://bridges.torproject.org/bridges にアクセスして、ブリッジとプラガブル転送について学べます
feeOptionWindow.headline=取引手数料の支払いに使用する通貨を選択してください
feeOptionWindow.info=あなたは取引手数料の支払いにBSQまたはBTCを選択できます。 BSQを選択した場合は、割引された取引手数料に気付くでしょう。
feeOptionWindow.info=あなたは取引手数料の支払いにBSQまたはXMRを選択できます。 BSQを選択した場合は、割引された取引手数料に気付くでしょう。
feeOptionWindow.optionsLabel=取引手数料の支払いに使用する通貨を選択してください
feeOptionWindow.useBTC=BTCを使用
feeOptionWindow.useXMR=XMRを使用
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,7 +1579,7 @@ popup.warning.noTradingAccountSetup.msg=オファーを作成する前に、国
popup.warning.noArbitratorsAvailable=利用可能な調停人がいません。
popup.warning.noMediatorsAvailable=利用可能な調停人がいません。
popup.warning.notFullyConnected=ネットワークへ完全に接続するまで待つ必要があります。\n起動までに約2分かかります。
popup.warning.notSufficientConnectionsToBtcNetwork=少なくとも{0}のビットコインネットワークへの接続が確立されるまでお待ちください。
popup.warning.notSufficientConnectionsToXmrNetwork=少なくとも{0}のビットコインネットワークへの接続が確立されるまでお待ちください。
popup.warning.downloadNotComplete=欠落しているビットコインブロックのダウンロードが完了するまで待つ必要があります。
popup.warning.chainNotSynced=Havenoウォレットのブロックチェーン高さは正しく同期されていません。アプリを最近起動した場合、1つのビットコインブロックが発行されるまで待って下さい。\n\nブロックチェーン高さは\"設定/ネットワーク情報\"に表示されます。 2つ以上のブロックが発行されても問題が解決されない場合、フリーズしている可能性があります。その場合には、SPV再同期を行って下さい [HYPERLINK: https://haveno.exchange/wiki/Resyncing_SPV_file ]。
popup.warning.removeOffer=本当にオファーを削除しますか?
@ -1601,7 +1601,7 @@ popup.warning.priceRelay=価格中継
popup.warning.seed=シード
popup.warning.mandatoryUpdate.trading=最新のHavenoバージョンに更新してください。古いバージョンのトレードを無効にする必須の更新プログラムがリリースされました。詳細については、Havenoフォーラムをご覧ください。
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC={0}のマイニング手数料が{1}の送金額を超えるため、このトランザクションは利用不可です。マイニング手数料が再び低くなるか、送金するBTCがさらに蓄積されるまでお待ちください。
popup.warning.burnXMR={0}のマイニング手数料が{1}の送金額を超えるため、このトランザクションは利用不可です。マイニング手数料が再び低くなるか、送金するXMRがさらに蓄積されるまでお待ちください。
popup.warning.openOffer.makerFeeTxRejected=ID{0}で識別されるオファーのためのメイカー手数料トランザクションがビットコインネットワークに拒否されました。\nトランザクションID= {1} 。\n更なる問題を避けるため、そのオファーは削除されました。\n\"設定/ネットワーク情報\"を開いてSPV再同期を行って下さい。\nさらにサポートを受けるため、Haveno Keybaseチームのサポートチャンネルに連絡して下さい。
@ -1677,9 +1677,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=署名が失敗しました
notification.trade.headline=ID {0}とのトレードの通知
notification.ticket.headline=ID {0}とのトレード用サポートチケット
notification.trade.completed=これでトレードは完了し、資金を出金することができます。
notification.trade.accepted=あなたのオファーはBTC {0}によって承認されました。
notification.trade.accepted=あなたのオファーはXMR {0}によって承認されました。
notification.trade.unlocked=あなたのトレードには少なくとも1つのブロックチェーン承認があります。\nあなたは今、支払いを始めることができます。
notification.trade.paymentSent=BTCの買い手が支払いを開始しました。
notification.trade.paymentSent=XMRの買い手が支払いを開始しました。
notification.trade.selectTrade=取引を選択
notification.trade.peerOpenedDispute=あなたの取引相手は{0}をオープンしました。
notification.trade.disputeClosed={0}は閉じられました。
@ -1945,12 +1945,12 @@ payment.checking=当座口座
payment.savings=普通口座
payment.personalId=個人ID
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelleは他の銀行を介して利用するとよりうまくいく送金サービスです。\n\n1. あなたの銀行がZelleと協力するかそして利用の方法をここから確認して下さい: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. 送金制限に注意して下さい。制限は銀行によって異なり、1日、1週、1月当たりの制限に分けられていることが多い。\n\n3. 銀行がZelleと協力しない場合でも、Zelleのモバイルアプリ版を使えますが、送金制限ははるかに低くなります。\n\n4. Havenoアカウントで特定される名前は必ずZelleアカウントと銀行口座に特定される名前と合う必要があります。\n\nトレード契約書とおりにZelleトランザクションを完了できなければ、一部あるいは全てのセキュリティデポジットを失う可能性はあります。\n\nZelleにおいてやや高い支払取り消しリスクがあるので、売り手はメールやSMSで無署名買い手に連絡して、Havenoに特定されるZelleアカウントの所有者かどうかを確かめるようにおすすめします。
payment.fasterPayments.newRequirements.info=「Faster Payments」で送金する場合、銀行が受信者の姓名を確認するケースが最近多くなりました。現在の「Faster Payments」アカウントは姓名を特定しません。\n\nこれからの{0}買い手に姓名を提供するため、Haveno内に新しい「Faster Payments」アカウントを作成するのを検討して下さい。\n\n新しいアカウントを作成すると、完全に同じ分類コード、アカウントの口座番号、そしてアカウント年齢検証ソルト値を古いアカウントから新しいアカウントにコピーして下さい。こうやって現在のアカウントの年齢そして署名状況は維持されます。
payment.moneyGram.info=MoneyGramを使用する場合、BTCの買い手は認証番号と領収書の写真をEメールでBTCの売り手に送信する必要があります。領収書には、売り手の氏名、市区町村、国、金額を明確に記載する必要があります。トレードプロセスにて、売り手のEメールは買い手に表示されます。
payment.westernUnion.info=Western Unionを使用する場合、BTCの買い手はMTCN追跡番号と領収書の写真をEメールでBTCの売り手に送信する必要があります。領収書には、売り手の氏名、市区町村、国、金額を明確に記載する必要があります。トレードプロセスにて、売り手のEメールは買い手に表示されます。
payment.halCash.info=HalCashを使用する場合、BTCの買い手は携帯電話からのテキストメッセージを介してBTCの売り手にHalCashコードを送信する必要があります。\n\n銀行がHalCashで送金できる最大額を超えないようにしてください。 1回の出金あたりの最小金額は10EURで、最大金額は600EURです。繰り返し出金する場合は、1日に受取人1人あたり3000EUR、1ヶ月に受取人人あたり6000EURです。あなたの銀行でも、ここに記載されているのと同じ制限を使用しているか、これらの制限を銀行と照合して確認してください。\n\n出金額は10の倍数EURでなければ、ATMから出金できません。 オファーの作成画面およびオファー受け入れ画面のUIは、EUR金額が正しくなるようにBTC金額を調整します。価格の変化とともにEURの金額は変化するため、市場ベースの価格を使用することはできません。\n\n係争が発生した場合、BTCの買い手はEURを送ったという証明を提出する必要があります。
payment.moneyGram.info=MoneyGramを使用する場合、XMRの買い手は認証番号と領収書の写真をEメールでXMRの売り手に送信する必要があります。領収書には、売り手の氏名、市区町村、国、金額を明確に記載する必要があります。トレードプロセスにて、売り手のEメールは買い手に表示されます。
payment.westernUnion.info=Western Unionを使用する場合、XMRの買い手はMTCN追跡番号と領収書の写真をEメールでXMRの売り手に送信する必要があります。領収書には、売り手の氏名、市区町村、国、金額を明確に記載する必要があります。トレードプロセスにて、売り手のEメールは買い手に表示されます。
payment.halCash.info=HalCashを使用する場合、XMRの買い手は携帯電話からのテキストメッセージを介してXMRの売り手にHalCashコードを送信する必要があります。\n\n銀行がHalCashで送金できる最大額を超えないようにしてください。 1回の出金あたりの最小金額は10EURで、最大金額は600EURです。繰り返し出金する場合は、1日に受取人1人あたり3000EUR、1ヶ月に受取人人あたり6000EURです。あなたの銀行でも、ここに記載されているのと同じ制限を使用しているか、これらの制限を銀行と照合して確認してください。\n\n出金額は10の倍数EURでなければ、ATMから出金できません。 オファーの作成画面およびオファー受け入れ画面のUIは、EUR金額が正しくなるようにXMR金額を調整します。価格の変化とともにEURの金額は変化するため、市場ベースの価格を使用することはできません。\n\n係争が発生した場合、XMRの買い手はEURを送ったという証明を提出する必要があります。
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=すべての銀行振込にはある程度の支払取り消しのリスクがあることに気を付けて下さい。\n\nこのリスクを軽減するために、Havenoは使用する支払い方法での支払取り消しリスクの推定レベルに基づいてトレードごとの制限を設定します。\n\n現在使用する支払い方法では、トレードごとの売買制限は{2}です。\n\n制限は各トレードの量のみに適用されることに注意して下さい。トレードできる合計回数には制限はありません。\n\n詳しくはWikiを調べて下さい [HYPERLINK:https://haveno.exchange/wiki/Account_limits] 。
# suppress inspection "UnusedProperty"
@ -1966,7 +1966,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Havenoでアメリカ合衆国郵便為替USPMOをトレードするには、以下を理解する必要があります\n\n-送る前に、BTC買い手は必ずBTC売り手の名前を支払人そして支払先フィールド両方に書いて、追跡証明も含めるUSPMOそして封筒の高解像度写真を取る必要があります。\n-BTC買い手は必ず配達確認を利用してBTC売り手にUSPMOを送る必要があります。\n\n調停が必要になる場合、あるいはトレード係争が開始される場合、調停者や調停人がアメリカ合衆国郵便のサイトで詳細を確認できるように、取った写真、USPMOシリアル番号、郵便局番号、そしてドル金額を送る必要があります。\n\n調停者や調停人に必要な情報を提供しなければ、係争で不利な裁定を下されます。\n\n全ての係争には、調停者や調停人に証明を提供するのは100%USPMO送付者の責任です。\n\n以上の条件を理解しない場合、HavenoでUSPMOのトレードをしないで下さい。
payment.usPostalMoneyOrder.info=Havenoでアメリカ合衆国郵便為替USPMOをトレードするには、以下を理解する必要があります\n\n-送る前に、XMR買い手は必ずXMR売り手の名前を支払人そして支払先フィールド両方に書いて、追跡証明も含めるUSPMOそして封筒の高解像度写真を取る必要があります。\n-XMR買い手は必ず配達確認を利用してXMR売り手にUSPMOを送る必要があります。\n\n調停が必要になる場合、あるいはトレード係争が開始される場合、調停者や調停人がアメリカ合衆国郵便のサイトで詳細を確認できるように、取った写真、USPMOシリアル番号、郵便局番号、そしてドル金額を送る必要があります。\n\n調停者や調停人に必要な情報を提供しなければ、係争で不利な裁定を下されます。\n\n全ての係争には、調停者や調停人に証明を提供するのは100%USPMO送付者の責任です。\n\n以上の条件を理解しない場合、HavenoでUSPMOのトレードをしないで下さい。
payment.payByMail.info=Havenoを利用したPay by Mailでの取引には、以下を理解する必要があります\n\
XMRの買い手は現金を封がれた袋に入れる必要があります。\n\
@ -1996,7 +1996,7 @@ payment.f2f.city.prompt=オファーとともに市区町村が表示されま
payment.shared.optionalExtra=オプションの追加情報
payment.shared.extraInfo=追加情報
payment.shared.extraInfo.prompt=この支払いアカウントのオファーと一緒に表示したい特別な契約条件または詳細を定義して下さい(オファーを受ける前に、ユーザはこの情報を見れます)。
payment.f2f.info=「対面」トレードには違うルールがあり、オンライントレードとは異なるリスクを伴います。\n\n主な違いは以下の通りです。\n●取引者は、提供される連絡先の詳細を使用して、出会う場所と時間に関する情報を交換する必要があります。\n●取引者は自分のートパソコンを持ってきて、集合場所で「送金」と「入金」の確認をする必要があります。\n●メイカーに特別な「取引条件」がある場合は、アカウントの「追加情報」テキストフィールドにその旨を記載する必要があります。\n●オファーを受けると、テイカーはメイカーの「トレード条件」に同意したものとします。\n●係争が発生した場合、集合場所で何が起きたのかについての改ざん防止証明を入手することは通常困難であるため、調停者や調停人はあまりサポートをできません。このような場合、BTCの資金は無期限に、または取引者が合意に達するまでロックされる可能性があります。\n\n「対面」トレードでの違いを完全に理解しているか確認するためには、次のURLにある手順と推奨事項をお読みください[HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info=「対面」トレードには違うルールがあり、オンライントレードとは異なるリスクを伴います。\n\n主な違いは以下の通りです。\n●取引者は、提供される連絡先の詳細を使用して、出会う場所と時間に関する情報を交換する必要があります。\n●取引者は自分のートパソコンを持ってきて、集合場所で「送金」と「入金」の確認をする必要があります。\n●メイカーに特別な「取引条件」がある場合は、アカウントの「追加情報」テキストフィールドにその旨を記載する必要があります。\n●オファーを受けると、テイカーはメイカーの「トレード条件」に同意したものとします。\n●係争が発生した場合、集合場所で何が起きたのかについての改ざん防止証明を入手することは通常困難であるため、調停者や調停人はあまりサポートをできません。このような場合、XMRの資金は無期限に、または取引者が合意に達するまでロックされる可能性があります。\n\n「対面」トレードでの違いを完全に理解しているか確認するためには、次のURLにある手順と推奨事項をお読みください[HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Webページを開く
payment.f2f.offerbook.tooltip.countryAndCity=国と都市: {0} / {1}
payment.f2f.offerbook.tooltip.extra=追加情報: {0}
@ -2008,7 +2008,7 @@ payment.japan.recipient=名義
payment.australia.payid=PayID
payment.payid=金融機関と繋がっているPayID。例えばEメールアドレスそれとも携帯電話番号。
payment.payid.info=銀行、信用金庫、あるいは住宅金融組合アカウントと安全に繋がれるPayIDとして使われる電話番号、Eメールアドレス、それともオーストラリア企業番号ABN。すでにオーストラリアの金融機関とPayIDを作った必要があります。送金と受取の金融機関は両方PayIDをサポートする必要があります。詳しくは以下を訪れて下さい [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=アマゾンeGiftカードで支払うには、アマゾンアカウントを使ってeGiftカードをBTC売り手に送る必要があります。\n\nHavenoはeGiftカードの送り先になるBTC売り手のメールアドレスそれとも電話番号を表示します。そしてeGiftカードのメッセージフィールドに、必ずトレードIDを入力して下さい。最良の慣行について詳しくはWikiを参照して下さい[HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card]\n\n3つの注意点\n- 可能であれば、100米ドル価格以下のeGiftカードを送って下さい。それ以上の価格はアマゾンに不正な取引というフラグが立てられることがあります。\n- eGiftカードのメッセージフィールドに、トレードIDと一緒に信ぴょう性のあるメッセージを入力して下さい。例えば隆さん、「お誕生日おめでとうそして確認のため、取引者チャットでトレードピアにメッセージの内容を伝えて下さい。\n- アマゾンeGiftカードは買われたサイトのみに交換できます例えば、amazon.jpから買われたカードはamazon.jpのみに交換できます
payment.amazonGiftCard.info=アマゾンeGiftカードで支払うには、アマゾンアカウントを使ってeGiftカードをXMR売り手に送る必要があります。\n\nHavenoはeGiftカードの送り先になるXMR売り手のメールアドレスそれとも電話番号を表示します。そしてeGiftカードのメッセージフィールドに、必ずトレードIDを入力して下さい。最良の慣行について詳しくはWikiを参照して下さい[HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card]\n\n3つの注意点\n- 可能であれば、100米ドル価格以下のeGiftカードを送って下さい。それ以上の価格はアマゾンに不正な取引というフラグが立てられることがあります。\n- eGiftカードのメッセージフィールドに、トレードIDと一緒に信ぴょう性のあるメッセージを入力して下さい。例えば隆さん、「お誕生日おめでとうそして確認のため、取引者チャットでトレードピアにメッセージの内容を伝えて下さい。\n- アマゾンeGiftカードは買われたサイトのみに交換できます例えば、amazon.jpから買われたカードはamazon.jpのみに交換できます
# We use constants from the code so we do not use our normal naming convention
@ -2176,10 +2176,10 @@ validation.sortCodeChars={0}は{1}文字で構成されている必要があり
validation.bankIdNumber={0}は{1}個の数字で構成されている必要があります。
validation.accountNr=アカウント番号は{0}個の数字で構成されている必要があります。
validation.accountNrChars=アカウント番号は{0}文字で構成されている必要があります。
validation.btc.invalidAddress=アドレスが正しくありません。アドレス形式を確認してください。
validation.xmr.invalidAddress=アドレスが正しくありません。アドレス形式を確認してください。
validation.integerOnly=整数のみを入力してください。
validation.inputError=入力エラーを起こしました:\n{0}
validation.btc.exceedsMaxTradeLimit=あなたのトレード制限は{0}です。
validation.xmr.exceedsMaxTradeLimit=あなたのトレード制限は{0}です。
validation.nationalAccountId={0}は{1}個の数字で構成されている必要があります。
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Eu compreendo
shared.na=N/D
shared.shutDown=Desligar
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=Comprar bitcoin
shared.sellBitcoin=Vender bitcoin
shared.buyMonero=Comprar monero
shared.sellMonero=Vender monero
shared.buyCurrency=Comprar {0}
shared.sellCurrency=Vender {0}
shared.buyingBTCWith=comprando BTC com {0}
shared.sellingBTCFor=vendendo BTC por {0}
shared.buyingCurrency=comprando {0} (vendendo BTC)
shared.sellingCurrency=vendendo {0} (comprando BTC)
shared.buyingXMRWith=comprando XMR com {0}
shared.sellingXMRFor=vendendo XMR por {0}
shared.buyingCurrency=comprando {0} (vendendo XMR)
shared.sellingCurrency=vendendo {0} (comprando XMR)
shared.buy=comprar
shared.sell=vender
shared.buying=comprando
@ -93,7 +93,7 @@ shared.amountMinMax=Quantidade (min - max)
shared.amountHelp=Se uma oferta possuir uma quantia mínima e máxima definidas, você poderá negociar qualquer quantia dentro dessa faixa.
shared.remove=Remover
shared.goTo=Ir para {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Remover oferta
shared.dontRemoveOffer=Não remover a oferta
shared.editOffer=Editar oferta
@ -105,14 +105,14 @@ shared.nextStep=Próximo passo
shared.selectTradingAccount=Selecionar conta de negociação
shared.fundFromSavingsWalletButton=Transferir fundos da carteira Haveno
shared.fundFromExternalWalletButton=Abrir sua carteira externa para prover fundos
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=% abaixo do preço de mercado
shared.aboveInPercent=% acima do preço de mercado
shared.enterPercentageValue=Insira a %
shared.OR=OU
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=Aguardando pagamento...
shared.TheBTCBuyer=O comprador de BTC
shared.TheXMRBuyer=O comprador de XMR
shared.You=Você
shared.sendingConfirmation=Enviando confirmação...
shared.sendingConfirmationAgain=Por favor, envie a confirmação novamente
@ -125,7 +125,7 @@ shared.notUsedYet=Ainda não usado
shared.date=Data
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=Copiar para área de transferência
shared.language=Idioma
shared.country=País
@ -169,7 +169,7 @@ shared.payoutTxId=ID da transação de pagamento
shared.contractAsJson=Contrato em formato JSON
shared.viewContractAsJson=Ver contrato em formato JSON
shared.contract.title=Contrato para negociação com ID: {0}
shared.paymentDetails=Detalhes de pagamento do {0} de BTC
shared.paymentDetails=Detalhes de pagamento do {0} de XMR
shared.securityDeposit=Depósito de segurança
shared.yourSecurityDeposit=Seu depósito de segurança
shared.contract=Contrato
@ -179,7 +179,7 @@ shared.messageSendingFailed=Falha no envio da mensagem. Erro: {0}
shared.unlock=Destravar
shared.toReceive=a receber
shared.toSpend=a ser gasto
shared.btcAmount=Quantidade de BTC
shared.xmrAmount=Quantidade de XMR
shared.yourLanguage=Seus idiomas
shared.addLanguage=Adicionar idioma
shared.total=Total
@ -229,8 +229,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=Mercado
mainView.menu.buyBtc=Comprar BTC
mainView.menu.sellBtc=Vender BTC
mainView.menu.buyXmr=Comprar XMR
mainView.menu.sellXmr=Vender XMR
mainView.menu.portfolio=Portfolio
mainView.menu.funds=Fundos
mainView.menu.support=Suporte
@ -248,10 +248,10 @@ mainView.balance.reserved.short=Reservado
mainView.balance.pending.short=Travado
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando-se à rede Bitcoin
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando-se à rede Monero
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
mainView.footer.xmrInfo.connectingTo=Conectando-se a
@ -271,13 +271,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=A inicialização para a rede
mainView.p2pNetworkWarnMsg.noNodesAvailable=Não há nós semente ou pares persistentes para requisição de dados.\nPor gentileza verifique sua conexão com a internet ou tente reiniciar o programa.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Falha ao conectar com a rede Haveno (erro reportado: {0}).\nPor gentileza verifique sua conexão ou tente reiniciar o programa.
mainView.walletServiceErrorMsg.timeout=Não foi possível conectar-se à rede Bitcoin, pois o tempo limite expirou.
mainView.walletServiceErrorMsg.connectionError=Não foi possível conectar-se à rede Bitcoin, devido ao seguinte erro: {0}
mainView.walletServiceErrorMsg.timeout=Não foi possível conectar-se à rede Monero, pois o tempo limite expirou.
mainView.walletServiceErrorMsg.connectionError=Não foi possível conectar-se à rede Monero, devido ao seguinte erro: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Uma transação foi rejeitada pela rede.\n\n{0}
mainView.networkWarning.allConnectionsLost=Você perdeu sua conexão com todos os pontos da rede {0}.\nTalvez você tenha perdido a conexão com a internet ou seu computador estava em modo de espera.
mainView.networkWarning.localhostBitcoinLost=Você perdeu a conexão ao nó Bitcoin do localhost.\nPor favor, reinicie o aplicativo Haveno para conectar-se a outros nós Bitcoin ou reinicie o nó Bitcoin do localhost.
mainView.networkWarning.localhostMoneroLost=Você perdeu a conexão ao nó Monero do localhost.\nPor favor, reinicie o aplicativo Haveno para conectar-se a outros nós Monero ou reinicie o nó Monero do localhost.
mainView.version.update=(Atualização disponível)
@ -297,14 +297,14 @@ market.offerBook.buyWithTraditional=Comprar {0}
market.offerBook.sellWithTraditional=Vender {0}
market.offerBook.sellOffersHeaderLabel=Vender {0} para
market.offerBook.buyOffersHeaderLabel=Comprar {0} de
market.offerBook.buy=Eu quero comprar bitcoin
market.offerBook.sell=Eu quero vender bitcoin
market.offerBook.buy=Eu quero comprar monero
market.offerBook.sell=Eu quero vender monero
# SpreadView
market.spread.numberOfOffersColumn=Todas as ofertas ({0})
market.spread.numberOfBuyOffersColumn=Comprar BTC ({0})
market.spread.numberOfSellOffersColumn=Vender BTC ({0})
market.spread.totalAmountColumn=Total de BTC ({0})
market.spread.numberOfBuyOffersColumn=Comprar XMR ({0})
market.spread.numberOfSellOffersColumn=Vender XMR ({0})
market.spread.totalAmountColumn=Total de XMR ({0})
market.spread.spreadColumn=Spread
market.spread.expanded=Expanded view
@ -360,7 +360,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=N.º de ofertas: {0}
offerbook.volume={0} (mín. - máx.)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Criar oferta para comprar {0}
@ -415,13 +415,13 @@ offerbook.info.roundedFiatVolume=O valor foi arredondado para aumentar a privaci
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Insira o valor em BTC
createOffer.amount.prompt=Insira o valor em XMR
createOffer.price.prompt=Insira o preço
createOffer.volume.prompt=Insira o valor em {0}
createOffer.amountPriceBox.amountDescription=Quantia em BTC para {0}
createOffer.amountPriceBox.amountDescription=Quantia em XMR para {0}
createOffer.amountPriceBox.buy.volumeDescription=Valor em {0} a ser gasto
createOffer.amountPriceBox.sell.volumeDescription=Valor em {0} a ser recebido
createOffer.amountPriceBox.minAmountDescription=Quantia mínima de BTC
createOffer.amountPriceBox.minAmountDescription=Quantia mínima de XMR
createOffer.securityDeposit.prompt=Depósito de segurança
createOffer.fundsBox.title=Financie sua oferta
createOffer.fundsBox.offerFee=Taxa de negociação
@ -437,7 +437,7 @@ createOffer.info.sellAboveMarketPrice=Você irá sempre receber {0}% a mais do q
createOffer.info.buyBelowMarketPrice=Você irá sempre pagar {0}% a menos do que o atual preço de mercado e o preço de sua oferta será atualizado constantemente.
createOffer.warning.sellBelowMarketPrice=Você irá sempre receber {0}% a menos do que o atual preço de mercado e o preço da sua oferta será atualizado constantemente.
createOffer.warning.buyAboveMarketPrice=Você irá sempre pagar {0}% a mais do que o atual preço de mercado e o preço da sua oferta será atualizada constantemente.
createOffer.tradeFee.descriptionBTCOnly=Taxa de negociação
createOffer.tradeFee.descriptionXMROnly=Taxa de negociação
createOffer.tradeFee.descriptionBSQEnabled=Escolha a moeda da taxa de transação
createOffer.triggerPrice.prompt=Set optional trigger price
@ -461,7 +461,7 @@ createOffer.timeoutAtPublishing=Um erro ocorreu ao publicar a oferta: tempo esgo
createOffer.errorInfo=\n\nA taxa já está paga. No pior dos casos, você perdeu essa taxa.\nPor favor, tente reiniciar o seu aplicativo e verifique sua conexão de rede para ver se você pode resolver o problema.
createOffer.tooLowSecDeposit.warning=Você definiu o depósito de segurança para um valor mais baixo do que o valor padrão recomendado de {0}.\nVocê tem certeza de que deseja usar um depósito de segurança menor?
createOffer.tooLowSecDeposit.makerIsSeller=Há menos proteção caso a outra parte da negociação não siga o protocolo de negociação.
createOffer.tooLowSecDeposit.makerIsBuyer=Os seus compradores se sentirão menos seguros, pois você terá menos bitcoins sob risco. Isso pode fazer com que eles prefiram escolher outras ofertas ao invés da sua.
createOffer.tooLowSecDeposit.makerIsBuyer=Os seus compradores se sentirão menos seguros, pois você terá menos moneros sob risco. Isso pode fazer com que eles prefiram escolher outras ofertas ao invés da sua.
createOffer.resetToDefault=Não, voltar ao valor padrão
createOffer.useLowerValue=Sim, usar meu valor mais baixo
createOffer.priceOutSideOfDeviation=O preço submetido está fora do desvio máximo com relação ao preço de mercado.\nO desvio máximo é {0} e pode ser alterado nas preferências.
@ -480,15 +480,15 @@ createOffer.minSecurityDepositUsed=Depósito de segurança mínimo para comprado
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Insira a quantia em BTC
takeOffer.amountPriceBox.buy.amountDescription=Quantia de BTC para vender
takeOffer.amountPriceBox.sell.amountDescription=Quantia de BTC para comprar
takeOffer.amountPriceBox.priceDescription=Preço por bitcoin em {0}
takeOffer.amount.prompt=Insira a quantia em XMR
takeOffer.amountPriceBox.buy.amountDescription=Quantia de XMR para vender
takeOffer.amountPriceBox.sell.amountDescription=Quantia de XMR para comprar
takeOffer.amountPriceBox.priceDescription=Preço por monero em {0}
takeOffer.amountPriceBox.amountRangeDescription=Quantias permitidas
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=A quantia que você inseriu excede o número máximo de casas decimais permitida.\nA quantia foi ajustada para 4 casas decimais.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=A quantia que você inseriu excede o número máximo de casas decimais permitida.\nA quantia foi ajustada para 4 casas decimais.
takeOffer.validation.amountSmallerThanMinAmount=A quantia não pode ser inferior à quantia mínima definida na oferta.
takeOffer.validation.amountLargerThanOfferAmount=A quantia inserida não pode ser superior à quantia definida na oferta.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Essa quantia inserida criaria um troco pequeno demais para o vendedor de BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Essa quantia inserida criaria um troco pequeno demais para o vendedor de XMR.
takeOffer.fundsBox.title=Financiar sua negociação
takeOffer.fundsBox.isOfferAvailable=Verificando se a oferta está disponível ...
takeOffer.fundsBox.tradeAmount=Quantia a ser vendida
@ -600,29 +600,29 @@ portfolio.pending.step1.openForDispute=A transação de depósito ainda não foi
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Transfira com a sua carteira {0} externa\n{1} para o vendedor de BTC.\n\n
portfolio.pending.step2_buyer.crypto=Transfira com a sua carteira {0} externa\n{1} para o vendedor de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Vá ao banco e pague {0} ao vendedor de BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=IMPORTANTE:\nApós executar o pagamento, escreva no comprovante de depósito: SEM REEMBOLSO\nEntão rasgue-o em 2 partes, tire uma foto e envie-a para o e-mail do vendedor de BTC.
portfolio.pending.step2_buyer.cash=Vá ao banco e pague {0} ao vendedor de XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=IMPORTANTE:\nApós executar o pagamento, escreva no comprovante de depósito: SEM REEMBOLSO\nEntão rasgue-o em 2 partes, tire uma foto e envie-a para o e-mail do vendedor de XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Pague {0} ao vendedor de BTC usando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=IMPORTANTE:\nApós ter feito o pagamento, envie o número de autorização e uma foto do comprovante por e-mail para o vendedor de BTC.\nO comprovante deve exibir claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.
portfolio.pending.step2_buyer.moneyGram=Pague {0} ao vendedor de XMR usando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=IMPORTANTE:\nApós ter feito o pagamento, envie o número de autorização e uma foto do comprovante por e-mail para o vendedor de XMR.\nO comprovante deve exibir claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Pague {0} ao vendedor de BTC usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=IMPORTANTE:\nApós ter feito o pagamento, envie o número de rastreamento (MTCN) e uma foto do comprovante por e-mail para o vendedor de BTC.\nO comprovante deve exibir claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.
portfolio.pending.step2_buyer.westernUnion=Pague {0} ao vendedor de XMR usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=IMPORTANTE:\nApós ter feito o pagamento, envie o número de rastreamento (MTCN) e uma foto do comprovante por e-mail para o vendedor de XMR.\nO comprovante deve exibir claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Envie {0} através de \"US Postal Money Order\" para o vendedor de BTC.\n\n
portfolio.pending.step2_buyer.postal=Envie {0} através de \"US Postal Money Order\" para o vendedor de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Por favor, entre em contato com o vendedor de BTC através do contato fornecido e combine um encontro para pagá-lo {0}.\n\n
portfolio.pending.step2_buyer.f2f=Por favor, entre em contato com o vendedor de XMR através do contato fornecido e combine um encontro para pagá-lo {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Iniciar pagamento usando {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Quantia a ser transferida
@ -631,27 +631,27 @@ portfolio.pending.step2_buyer.buyerAccount=A sua conta de pagamento a ser usada
portfolio.pending.step2_buyer.paymentSent=Pagamento iniciado
portfolio.pending.step2_buyer.warn=Você ainda não realizou seu pagamento de {0}!\nEssa negociação deve ser completada até {1}.
portfolio.pending.step2_buyer.openForDispute=Você ainda não completou o seu pagamento!\nO período máximo para a negociação já passou. Entre em contato com o mediador para pedir assistência.
portfolio.pending.step2_buyer.paperReceipt.headline=Você enviou o comprovante de depósito para o vendedor de BTC?
portfolio.pending.step2_buyer.paperReceipt.msg=Lembre-se:\nVocê deve escrever no comprovante de depósito: SEM REEMBOLSO\nA seguir, rasgue-o em duas partes, tire uma foto e envie-a para o e-mail do vendedor de BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=Você enviou o comprovante de depósito para o vendedor de XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Lembre-se:\nVocê deve escrever no comprovante de depósito: SEM REEMBOLSO\nA seguir, rasgue-o em duas partes, tire uma foto e envie-a para o e-mail do vendedor de XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Enviar o número de autorização e o comprovante de depósito
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Você previsa enviar por-email para o vendedor BTC o número de autorização e uma foto com o comprovante de depósito.\nO comprovante deve mostrar claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o número de autorização e o contrato ao vendedor?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Você previsa enviar por-email para o vendedor XMR o número de autorização e uma foto com o comprovante de depósito.\nO comprovante deve mostrar claramente o nome completo, o país e o estado do vendedor, assim como a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o número de autorização e o contrato ao vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Enviar MTCN e comprovante
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Você precisa enviar o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de BTC.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o MTCN e o contrato para o vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Você precisa enviar o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de XMR.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o MTCN e o contrato para o vendedor?
portfolio.pending.step2_buyer.halCashInfo.headline=Enviar código HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Você precisa enviar uma mensagem de texto com o código HalCash, bem como o ID da negociação ({0}) para o vendedor BTC.\nO nº do telefone do vendedor é {1}.\n\nVocê enviou o código para o vendedor?
portfolio.pending.step2_buyer.halCashInfo.msg=Você precisa enviar uma mensagem de texto com o código HalCash, bem como o ID da negociação ({0}) para o vendedor XMR.\nO nº do telefone do vendedor é {1}.\n\nVocê enviou o código para o vendedor?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Alguns bancos podem verificar o nome do destinatário. Contas de pagamento rápido criadas numa versão antiga da Haveno não fornecem o nome do destinatário, então, por favor, use o chat de negociação pra obtê-lo (caso necessário).
portfolio.pending.step2_buyer.confirmStart.headline=Confirme que você iniciou o pagamento
portfolio.pending.step2_buyer.confirmStart.msg=Você iniciou o pagamento {0} para o seu parceiro de negociação?
portfolio.pending.step2_buyer.confirmStart.yes=Sim, iniciei o pagamento
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=Aguardar pagamento
portfolio.pending.step2_seller.f2fInfo.headline=Informações de contato do comprador
portfolio.pending.step2_seller.waitPayment.msg=A transação de depósito tem pelo menos uma confirmação blockchain do protocolo.\nVocê precisa aguardar até que o comprador de BTC inicie o pagamento de {0}.
portfolio.pending.step2_seller.warn=O comprador de BTC ainda não fez o pagamento de {0}.\nVocê precisa esperar até que ele inicie o pagamento.\nCaso a negociação não conclua em {1}, o árbitro irá investigar.
portfolio.pending.step2_seller.openForDispute=O comprador de BTC ainda não iniciou o pagamento!\nO período máximo permitido para a negociação expirou.\nVocê pode aguardar mais um pouco, dando mais tempo para o seu parceiro de negociação, ou você pode entrar em contato com o mediador para pedir assistência.
portfolio.pending.step2_seller.waitPayment.msg=A transação de depósito tem pelo menos uma confirmação blockchain do protocolo.\nVocê precisa aguardar até que o comprador de XMR inicie o pagamento de {0}.
portfolio.pending.step2_seller.warn=O comprador de XMR ainda não fez o pagamento de {0}.\nVocê precisa esperar até que ele inicie o pagamento.\nCaso a negociação não conclua em {1}, o árbitro irá investigar.
portfolio.pending.step2_seller.openForDispute=O comprador de XMR ainda não iniciou o pagamento!\nO período máximo permitido para a negociação expirou.\nVocê pode aguardar mais um pouco, dando mais tempo para o seu parceiro de negociação, ou você pode entrar em contato com o mediador para pedir assistência.
tradeChat.chatWindowTitle=Abrir janela de conversa para a negociação com ID "{0}"
tradeChat.openChat=Abrir janela de conversa
tradeChat.rules=Você pode conversar com seu par da negociação para resolver potenciais problemas desta negociação.\nNão é obrigatório responder no chat.\nSe um negociante violar qualquer das regras abaixo, abra uma disputa e reporte o caso ao mediador ou árbitro.\n\nRegras do chat:\n\t● Não envie nenhum link (risco de malware). Você pode enviar a ID de transação e o nome de um explorador de blocos.\n\t● Não envie suas palavras-semente, chaves privadas, senhas ou outras informações sensíveis!\n\t● Não encoraje negociações fora da Haveno (sem segurança).\n\t● Não tente aplicar golpes por meio de qualquer forma de engenharia social.\n\t● Se o par não responder e preferir não se comunicar pelo chat, respeite essa decisão.\n\t● Mantenha o escopo da conversa limitado à negociação. Este chat não é um substituto de aplicativos de mensagens ou local para trolagens.\n\t● Mantenha a conversa amigável e respeitosa.
@ -669,26 +669,26 @@ message.state.ACKNOWLEDGED=O destinário confirmou o recebimento da mensagem
# suppress inspection "UnusedProperty"
message.state.FAILED=Erro ao enviar a mensagem
portfolio.pending.step3_buyer.wait.headline=Aguarde confirmação de pagamento do vendedor de BTC.
portfolio.pending.step3_buyer.wait.info=Aguardando o vendedor de BTC confirmar o recebimento do pagamento de {0}.
portfolio.pending.step3_buyer.wait.headline=Aguarde confirmação de pagamento do vendedor de XMR.
portfolio.pending.step3_buyer.wait.info=Aguardando o vendedor de XMR confirmar o recebimento do pagamento de {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Status da mensagem de pagamento iniciado
portfolio.pending.step3_buyer.warn.part1a=na blockchain {0}
portfolio.pending.step3_buyer.warn.part1b=no seu provedor de pagamentos (ex: seu banco)
portfolio.pending.step3_buyer.warn.part2=O vendedor de BTC ainda não confirmou o seu pagamento. Por favor, verifique em {0} se o pagamento foi enviado com sucesso.
portfolio.pending.step3_buyer.openForDispute=O vendedor de BTC não confirmou o seu pagamento! O período máximo para essa negociação expirou. Você pode aguardar mais um pouco, dando mais tempo para o seu parceiro de negociação, ou você pode pedir a assistência de um mediador.
portfolio.pending.step3_buyer.warn.part2=O vendedor de XMR ainda não confirmou o seu pagamento. Por favor, verifique em {0} se o pagamento foi enviado com sucesso.
portfolio.pending.step3_buyer.openForDispute=O vendedor de XMR não confirmou o seu pagamento! O período máximo para essa negociação expirou. Você pode aguardar mais um pouco, dando mais tempo para o seu parceiro de negociação, ou você pode pedir a assistência de um mediador.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Seu parceiro de negociação confirmou que iniciou o pagamento de {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=no seu explorador da blockchain {0} preferido
portfolio.pending.step3_seller.crypto.wallet=em sua carteira {0}
portfolio.pending.step3_seller.crypto={0}Verifique em {1} se a transação para o seu endereço de recebimento\n{2}\njá tem confirmações suficientes na blockchain.\nA quantia do pagamento deve ser {3}\n\nVocê pode copiar e colar seu endereço {4} na janela principal, após fechar esse popup.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=Como o pagamento é realizado através de depósito de dinheiro em espécie, o comprador de BTC obrigatoriamente deve escrever \"SEM REEMBOLSO\" no comprovante de depósito, rasgá-lo em duas partes e enviar uma foto do comprovante para você por e-mail.\n\nPara reduzir a chance de um reembolso (restituição do valor depositado para o comprador), confirme apenas se você tiver recebido o e-mail e tiver certeza de que o comprovante de depósito é autêntico.\nSe você não tiver certeza, {0}
portfolio.pending.step3_seller.moneyGram=O comprador deve enviar o Número de Autorização e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente o seu nome completo, país, estado e a quantia. Por favor verifique seu e-mail se recebeu o Número de Autorização.\n\nDepois de fechar esse pop-up, verá o nome e o endereço do comprador do BTC para retirar o dinheiro da MoneyGram.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.westernUnion=O comprador deve enviar-lhe o MTCN (número de rastreamento) e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente seu nome completo, cidade, país e a quantia Por favor verifique no seu e-mail se você recebeu o MTCN.\n\nDepois de fechar esse pop-up, você verá o nome e endereço do comprador de BTC para receber o dinheiro da Western Union.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=Como o pagamento é realizado através de depósito de dinheiro em espécie, o comprador de XMR obrigatoriamente deve escrever \"SEM REEMBOLSO\" no comprovante de depósito, rasgá-lo em duas partes e enviar uma foto do comprovante para você por e-mail.\n\nPara reduzir a chance de um reembolso (restituição do valor depositado para o comprador), confirme apenas se você tiver recebido o e-mail e tiver certeza de que o comprovante de depósito é autêntico.\nSe você não tiver certeza, {0}
portfolio.pending.step3_seller.moneyGram=O comprador deve enviar o Número de Autorização e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente o seu nome completo, país, estado e a quantia. Por favor verifique seu e-mail se recebeu o Número de Autorização.\n\nDepois de fechar esse pop-up, verá o nome e o endereço do comprador do XMR para retirar o dinheiro da MoneyGram.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.westernUnion=O comprador deve enviar-lhe o MTCN (número de rastreamento) e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente seu nome completo, cidade, país e a quantia Por favor verifique no seu e-mail se você recebeu o MTCN.\n\nDepois de fechar esse pop-up, você verá o nome e endereço do comprador de XMR para receber o dinheiro da Western Union.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.halCash=O comprador deve-lhe enviar o código HalCash como mensagem de texto. Além disso, você receberá uma mensagem do HalCash com as informações necessárias para sacar o EUR de uma ATM que suporte o HalCash.\n\nDepois de retirar o dinheiro na ATM, confirme aqui o recibo do pagamento!
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -704,7 +704,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID da Transação
portfolio.pending.step3_seller.xmrTxKey=Transaction key
portfolio.pending.step3_seller.buyersAccount=Buyers account data
portfolio.pending.step3_seller.confirmReceipt=Confirmar recebimento do pagamento
portfolio.pending.step3_seller.buyerStartedPayment=O comprador de BTC iniciou o pagamento {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=O comprador de XMR iniciou o pagamento {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Verifique as confirmações de transação em sua carteira crypto ou explorador de blockchain e confirme o pagamento quando houver confirmações suficientes.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Verifique em sua conta de negociação (ex: sua conta bancária) e confirme que recebeu o pagamento.
portfolio.pending.step3_seller.warn.part1a=na blockchain {0}
@ -716,7 +716,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Você recebeu o pagamento
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Verifique também se o nome de quem envia o pagamento no contrato de negociação é o mesmo que aparece em seu extrato bancário:\nNome do pagante, pelo contrato de negociação: {0}\n\nSe os nomes não forem exatamente iguais, não confirme o recebimento do pagamento. Em vez disso, abra uma disputa pressionando \"alt + o\" or \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Assim que você confirmar o recebimento do pagamento, o valor da transação será liberado para o comprador de BTC e o depósito de segurança será devolvido.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Assim que você confirmar o recebimento do pagamento, o valor da transação será liberado para o comprador de XMR e o depósito de segurança será devolvido.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Confirmar recebimento do pagamento
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Sim, eu recebi o pagamento
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANTE: Ao confirmar o recebimento do pagamento, você também estará verificando a conta do seu par e a assinando. Como a conta do seu par ainda não foi assinada, você deve segurar a confirmação do pagamento o máximo de tempo possível para reduzir o risco de estorno.
@ -726,7 +726,7 @@ portfolio.pending.step5_buyer.tradeFee=Taxa de negociação
portfolio.pending.step5_buyer.makersMiningFee=Taxa de mineração
portfolio.pending.step5_buyer.takersMiningFee=Total em taxas de mineração
portfolio.pending.step5_buyer.refunded=Depósito de segurança devolvido
portfolio.pending.step5_buyer.withdrawBTC=Retirar seus bitcoins
portfolio.pending.step5_buyer.withdrawXMR=Retirar seus moneros
portfolio.pending.step5_buyer.amount=Quantia a ser retirada
portfolio.pending.step5_buyer.withdrawToAddress=Enviar para o endereço
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -735,7 +735,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Seus fundos já foram retirados.\
portfolio.pending.step5_buyer.confirmWithdrawal=Confirmar solicitação de retirada
portfolio.pending.step5_buyer.amountTooLow=A quantia a ser transferida é inferior à taxa de transação e o valor mínimo de transação (poeira).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Retirada concluída
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Suas negociações concluídas estão salvas em \"Portfolio/Histórico\".\nVocê pode rever todas as suas transações bitcoin em \"Fundos/Transações\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Suas negociações concluídas estão salvas em \"Portfolio/Histórico\".\nVocê pode rever todas as suas transações monero em \"Fundos/Transações\"
portfolio.pending.step5_buyer.bought=Você comprou
portfolio.pending.step5_buyer.paid=Você pagou
@ -797,7 +797,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Você já aceitou
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -836,7 +836,7 @@ funds.deposit.fundHavenoWallet=Financiar carteira Haveno
funds.deposit.noAddresses=Nenhum endereço de depósito foi gerado ainda
funds.deposit.fundWallet=Financiar sua carteira
funds.deposit.withdrawFromWallet=Enviar fundos da carteira
funds.deposit.amount=Quantia em BTC (opcional)
funds.deposit.amount=Quantia em XMR (opcional)
funds.deposit.generateAddress=Gerar um endereço novo
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=Selecione um endereço não utilizado da tabela acima ao invés de gerar um novo.
@ -893,7 +893,7 @@ funds.tx.revert=Reverter
funds.tx.txSent=Transação enviada com sucesso para um novo endereço em sua carteira Haveno local.
funds.tx.direction.self=Enviar para você mesmo
funds.tx.dustAttackTx=Poeira recebida
funds.tx.dustAttackTx.popup=Esta transação está enviando uma quantia muito pequena de BTC para a sua carteira e pode ser uma tentativa das empresas de análise da blockchain para espionar a sua carteira.\n\nSe você usar esse output em uma transação eles decobrirão que você provavelmente também é o proprietário de outros endereços (mistura de moedas).\n\nPara proteger sua privacidade a carteira Haveno ignora tais outputs de poeira para fins de consumo e na tela de saldo. Você pode definir a quantia limite a partir da qual um output é considerado poeira nas configurações."
funds.tx.dustAttackTx.popup=Esta transação está enviando uma quantia muito pequena de XMR para a sua carteira e pode ser uma tentativa das empresas de análise da blockchain para espionar a sua carteira.\n\nSe você usar esse output em uma transação eles decobrirão que você provavelmente também é o proprietário de outros endereços (mistura de moedas).\n\nPara proteger sua privacidade a carteira Haveno ignora tais outputs de poeira para fins de consumo e na tela de saldo. Você pode definir a quantia limite a partir da qual um output é considerado poeira nas configurações."
####################################################################
# Support
@ -943,8 +943,8 @@ support.savedInMailbox=Mensagem guardada na caixa de correio do destinatário.
support.arrived=Mensagem chegou no destinatário
support.acknowledged=O destinatário confirmou a chegada da mensagem
support.error=O destinatário não pôde processar a mensagem. Erro: {0}
support.buyerAddress=Endereço do comprador de BTC
support.sellerAddress=Endereço do vendedor de BTC
support.buyerAddress=Endereço do comprador de XMR
support.sellerAddress=Endereço do vendedor de XMR
support.role=Função
support.agent=Support agent
support.state=Estado
@ -952,13 +952,13 @@ support.chat=Chat
support.closed=Fechado
support.open=Aberto
support.process=Process
support.buyerMaker=Comprador de BTC / Ofetante
support.sellerMaker=Vendedor de BTC / Ofertante
support.buyerTaker=Comprador de BTC / Aceitador da oferta
support.sellerTaker=Vendedor de BTC / Aceitador da oferta
support.buyerMaker=Comprador de XMR / Ofetante
support.sellerMaker=Vendedor de XMR / Ofertante
support.buyerTaker=Comprador de XMR / Aceitador da oferta
support.sellerTaker=Vendedor de XMR / Aceitador da oferta
support.backgroundInfo=Haveno não é uma empresa, portanto, trata as disputas de forma diferente.\n\nOs negociantes podem se comunicar dentro do aplicativo por meio de um chat seguro na tela de negociações em aberto para tentar resolver disputas por conta própria. Se isso não for suficiente, um árbitro avaliará a situação e decidirá o pagamento dos fundos da negociação.
support.initialInfo=Por favor, entre a descrição do seu problema no campo de texto abaixo. Informe o máximo de informações que puder para agilizar a resolução da disputa.\n\nSegue uma lista com as informações que você deve fornecer:\n\t● Se você está comprando BTC: Você fez a transferência do dinheiro ou crypto? Caso afirmativo, você clicou no botão 'pagamento iniciado' no aplicativo?\n\t● Se você está vendendo BTC: Você recebeu o pagamento em dinheiro ou em crypto? Caso afirmativo, você clicou no botão 'pagamento recebido' no aplicativo?\n\t● Qual versão da Haveno você está usando?\n\t● Qual sistema operacional você está usando?\n\t● Se seu problema é com falhas em transações, por favor considere usar um novo diretório de dados.\n\t Às vezes, o diretório de dados pode ficar corrompido, causando bugs estranhos.\n\t Veja mais: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPor favor, familiarize-se com as regras básicas do processo de disputa:\n\t● Você precisa responder às solicitações de {0}' dentro do prazo de 2 dias.\n\t● Mediadores respondem dentro de 2 dias. Ábitros respondem dentro de 5 dias úteis.\n\t● O período máximo para uma disputa é de 14 dias.\n\t● Você deve cooperar com o {1} e providenciar as informações requisitadas para comprovar o seu caso.\n\t● Você aceitou as regras estipuladas nos termos de acordo do usuário que foi exibido na primeira vez em que você iniciou o aplicativo. \nVocê pode saber mais sobre o processo de disputa em: {2}
support.initialInfo=Por favor, entre a descrição do seu problema no campo de texto abaixo. Informe o máximo de informações que puder para agilizar a resolução da disputa.\n\nSegue uma lista com as informações que você deve fornecer:\n\t● Se você está comprando XMR: Você fez a transferência do dinheiro ou crypto? Caso afirmativo, você clicou no botão 'pagamento iniciado' no aplicativo?\n\t● Se você está vendendo XMR: Você recebeu o pagamento em dinheiro ou em crypto? Caso afirmativo, você clicou no botão 'pagamento recebido' no aplicativo?\n\t● Qual versão da Haveno você está usando?\n\t● Qual sistema operacional você está usando?\n\t● Se seu problema é com falhas em transações, por favor considere usar um novo diretório de dados.\n\t Às vezes, o diretório de dados pode ficar corrompido, causando bugs estranhos.\n\t Veja mais: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPor favor, familiarize-se com as regras básicas do processo de disputa:\n\t● Você precisa responder às solicitações de {0}' dentro do prazo de 2 dias.\n\t● Mediadores respondem dentro de 2 dias. Ábitros respondem dentro de 5 dias úteis.\n\t● O período máximo para uma disputa é de 14 dias.\n\t● Você deve cooperar com o {1} e providenciar as informações requisitadas para comprovar o seu caso.\n\t● Você aceitou as regras estipuladas nos termos de acordo do usuário que foi exibido na primeira vez em que você iniciou o aplicativo. \nVocê pode saber mais sobre o processo de disputa em: {2}
support.systemMsg=Mensagem do sistema: {0}
support.youOpenedTicket=Você abriu um pedido de suporte.\n\n{0}\n\nHaveno versão: {1}
support.youOpenedDispute=Você abriu um pedido para uma disputa.\n\n{0}\n\nHaveno versão: {1}
@ -982,13 +982,13 @@ settings.tab.network=Informações da rede
settings.tab.about=Sobre
setting.preferences.general=Preferências gerais
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Desvio máx. do preço do mercado
setting.preferences.avoidStandbyMode=Impedir modo de economia de energia
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Valores acima de {0}% não são permitidos.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1025,29 +1025,29 @@ settings.preferences.editCustomExplorer.name=Nome
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Rede Bitcoin
settings.net.xmrHeader=Rede Monero
settings.net.p2pHeader=Rede Haveno
settings.net.onionAddressLabel=Meu endereço onion
settings.net.xmrNodesLabel=Usar nodos personalizados do Monero
settings.net.moneroPeersLabel=Pares conectados
settings.net.useTorForXmrJLabel=Usar Tor na rede Monero
settings.net.moneroNodesLabel=Conexão a nodos do Monero
settings.net.useProvidedNodesRadio=Usar nodos do Bitcoin Core fornecidos
settings.net.usePublicNodesRadio=Usar rede pública do Bitcoin
settings.net.useCustomNodesRadio=Usar nodos personalizados do Bitcoin Core
settings.net.useProvidedNodesRadio=Usar nodos do Monero Core fornecidos
settings.net.usePublicNodesRadio=Usar rede pública do Monero
settings.net.useCustomNodesRadio=Usar nodos personalizados do Monero Core
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=Não, usar os nodos fornecidos
settings.net.warn.usePublicNodes.usePublic=Sim, usar rede pública
settings.net.warn.useCustomNodes.B2XWarning=Certifique-se de que o seu nodo Bitcoin é um nodo Bitcoin Core confiável!\n\nAo se conectar a nodos que não estão seguindo as regras de consenso do Bitcoin Core, você pode corromper a sua carteira e causar problemas no processo de negociação.\n\nOs usuários que se conectam a nodos que violam as regras de consenso são responsáveis pelos danos que forem criados por isso. As disputas causadas por esse motivo serão decididas a favor do outro negociante. Nenhum suporte técnico será fornecido para os usuários que ignorarem esse aviso e os mecanismos de proteção!
settings.net.warn.invalidBtcConfig=A conexão com a rede Bitcoin falhou porque suas configurações são inválidas.\n\nSuas configurações foram resetadas para utilizar os nós fornecidos da rede Bitcoin. É necessário reiniciar o aplicativo.
settings.net.localhostXmrNodeInfo=Informações básicas: Haveno busca por um nó Bitcoin local na inicialização. Caso encontre, Haveno irá comunicar com a rede Bitcoin exclusivamente através deste nó.
settings.net.warn.useCustomNodes.B2XWarning=Certifique-se de que o seu nodo Monero é um nodo Monero Core confiável!\n\nAo se conectar a nodos que não estão seguindo as regras de consenso do Monero Core, você pode corromper a sua carteira e causar problemas no processo de negociação.\n\nOs usuários que se conectam a nodos que violam as regras de consenso são responsáveis pelos danos que forem criados por isso. As disputas causadas por esse motivo serão decididas a favor do outro negociante. Nenhum suporte técnico será fornecido para os usuários que ignorarem esse aviso e os mecanismos de proteção!
settings.net.warn.invalidXmrConfig=A conexão com a rede Monero falhou porque suas configurações são inválidas.\n\nSuas configurações foram resetadas para utilizar os nós fornecidos da rede Monero. É necessário reiniciar o aplicativo.
settings.net.localhostXmrNodeInfo=Informações básicas: Haveno busca por um nó Monero local na inicialização. Caso encontre, Haveno irá comunicar com a rede Monero exclusivamente através deste nó.
settings.net.p2PPeersLabel=Pares conectados
settings.net.onionAddressColumn=Endereço onion
settings.net.creationDateColumn=Estabelecida
settings.net.connectionTypeColumn=Entrada/Saída
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Ping
settings.net.sentBytesColumn=Enviado
settings.net.receivedBytesColumn=Recebido
@ -1062,7 +1062,7 @@ settings.net.needRestart=Você precisa reiniciar o programa para aplicar esta al
settings.net.notKnownYet=Ainda desconhecido...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[Endeço IP:porta | nome do host:porta | endereço onion:porta] (seperados por vírgulas). A porta pode ser omitida quando a porta padrão (8333) for usada.
settings.net.seedNode=Nó semente
settings.net.directPeer=Par (direto)
@ -1071,7 +1071,7 @@ settings.net.peer=Par
settings.net.inbound=entrada
settings.net.outbound=saída
setting.about.aboutHaveno=Sobre Haveno
setting.about.about=Haveno é um software de código aberto que facilita a troca de Bitcoin por moedas nacionais (e outras criptomoedas) através de uma rede ponto-a-ponto descentralizada, protegendo a privacidade dos usuários. Descubra mais sobre o Haveno no site do projeto.
setting.about.about=Haveno é um software de código aberto que facilita a troca de Monero por moedas nacionais (e outras criptomoedas) através de uma rede ponto-a-ponto descentralizada, protegendo a privacidade dos usuários. Descubra mais sobre o Haveno no site do projeto.
setting.about.web=Site do Haveno
setting.about.code=Código fonte
setting.about.agpl=Licença AGPL
@ -1108,7 +1108,7 @@ setting.about.shortcuts.openDispute.value=Selecione negociação pendente e cliq
setting.about.shortcuts.walletDetails=Abrir janela de detalhes da carteira
setting.about.shortcuts.openEmergencyBtcWalletTool=Abrir ferramenta de emergência da carteira BTC
setting.about.shortcuts.openEmergencyXmrWalletTool=Abrir ferramenta de emergência da carteira XMR
setting.about.shortcuts.showTorLogs=Ativar registro de logs para mensagens Tor de níveis entre DEBUG e WARN
@ -1134,7 +1134,7 @@ setting.about.shortcuts.sendPrivateNotification=Enviar notificação privada ao
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1143,7 +1143,7 @@ account.tab.mediatorRegistration=Registro de mediador
account.tab.refundAgentRegistration=Registro de agente de reembolsos
account.tab.signing=Signing
account.info.headline=Bem vindo à sua conta Haveno
account.info.msg=Aqui você pode adicionar contas de negociação para moedas nacionais & cryptos e criar um backup da sua carteira e dados da sua conta.\n\nUma nova carteira Bitcoin foi criada na primeira vez em que você iniciou a Haveno.\nNós encorajamos fortemente que você anote as palavras semente da sua carteira Bitcoin (veja a aba no topo) e considere adicionar uma senha antes de depositar fundos. Depósitos e retiradas de Bitcoin são gerenciados na seção "Fundos".\n\nNota de privacidade & segurança: visto que a Haveno é uma exchange decentralizada, todos os seus dados são mantidos no seu computador. Não existem servidores, então não temos acesso às suas informações pessoais, seus fundos ou até mesmo ao seu endereço IP. Dados como número de conta bancária, endereços de Bitcoin & crypto, etc apenas são compartilhados com seu parceiro de negociação para completar as negociações iniciadas por você (em caso de disputa, o mediador ou árbitro verá as mesmas informações que seu parceiro de negociação).
account.info.msg=Aqui você pode adicionar contas de negociação para moedas nacionais & cryptos e criar um backup da sua carteira e dados da sua conta.\n\nUma nova carteira Monero foi criada na primeira vez em que você iniciou a Haveno.\nNós encorajamos fortemente que você anote as palavras semente da sua carteira Monero (veja a aba no topo) e considere adicionar uma senha antes de depositar fundos. Depósitos e retiradas de Monero são gerenciados na seção "Fundos".\n\nNota de privacidade & segurança: visto que a Haveno é uma exchange decentralizada, todos os seus dados são mantidos no seu computador. Não existem servidores, então não temos acesso às suas informações pessoais, seus fundos ou até mesmo ao seu endereço IP. Dados como número de conta bancária, endereços de Monero & crypto, etc apenas são compartilhados com seu parceiro de negociação para completar as negociações iniciadas por você (em caso de disputa, o mediador ou árbitro verá as mesmas informações que seu parceiro de negociação).
account.menu.paymentAccount=Contas de moedas nacionais
account.menu.altCoinsAccountView=Contas de cryptos
@ -1154,7 +1154,7 @@ account.menu.backup=Backup
account.menu.notifications=Notificações
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1211,7 +1211,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Para negociar com L-BTC na Haveno é preciso entender o seguinte:\n\nQuando se recebe L-BTC de uma negociação na Haveno, você não pode usar a carteira móvel Blockstream Green ou uma carteira de exchange. Você só pode receber L-BTC numa carteira Liquid Elements Core, ou outra carteira L-BTC que lhe permita obter a blinding key para o seu endereço blinded de L-BTC.\n\nNo caso de mediação ou se uma disputa acontecer, você precisa divulgar ao mediador, ou agente de reembolsos, a blinding key do seu endereço receptor de L-BTC para que ele possa verificar os detalhes da sua Transação Confidencial no node próprio deles.\n\nCaso essa informação não seja fornecida ao mediador ou agente de reembolsos você corre o risco de perder a disputa. Em todos os casos de disputa o recebedor de L-BTC tem 100% de responsabilidade em fornecer a prova criptográfica ao mediador ou agente de reembolsos.\n\nSe você não entendeu esses requisitos, por favor não negocie L-BTC na Haveno.
account.crypto.popup.liquidmonero.msg=Para negociar com L-XMR na Haveno é preciso entender o seguinte:\n\nQuando se recebe L-XMR de uma negociação na Haveno, você não pode usar a carteira móvel Blockstream Green ou uma carteira de exchange. Você só pode receber L-XMR numa carteira Liquid Elements Core, ou outra carteira L-XMR que lhe permita obter a blinding key para o seu endereço blinded de L-XMR.\n\nNo caso de mediação ou se uma disputa acontecer, você precisa divulgar ao mediador, ou agente de reembolsos, a blinding key do seu endereço receptor de L-XMR para que ele possa verificar os detalhes da sua Transação Confidencial no node próprio deles.\n\nCaso essa informação não seja fornecida ao mediador ou agente de reembolsos você corre o risco de perder a disputa. Em todos os casos de disputa o recebedor de L-XMR tem 100% de responsabilidade em fornecer a prova criptográfica ao mediador ou agente de reembolsos.\n\nSe você não entendeu esses requisitos, por favor não negocie L-XMR na Haveno.
account.traditional.yourTraditionalAccounts=Suas contas de moeda nacional
@ -1232,12 +1232,12 @@ account.password.setPw.headline=Definir proteção de senha da carteira
account.password.info=Com a proteção por senha ativada, você precisará inserir sua senha ao iniciar o aplicativo, ao retirar monero de sua carteira e ao exibir suas palavras-semente.
account.seed.backup.title=Fazer backup das palavras-semente da carteira
account.seed.info=Por favor, anote em um papel a data e as palavras-semente da carteira! Com essas informações, você poderá recuperar sua carteira à qualquer momento.\nA semente exibida é usada tanto para a carteira BTC quanto para a carteira BSQ.\n\nVocê deve anotá-las em uma folha de papel. Jamais anote as palavras em um arquivo no seu computador ou em seu e-mail.\n\nNote que a semente da carteira NÃO substitui um backup.\nPara fazer isso, você precisa fazer backup da pasta do Haveno na seção \"Conta/Backup\".\nA importação da semente da carteira só é recomendada em casos de emergência. O programa não funcionará corretamente se você não recuperá-lo através de um backup!
account.seed.info=Por favor, anote em um papel a data e as palavras-semente da carteira! Com essas informações, você poderá recuperar sua carteira à qualquer momento.\nA semente exibida é usada tanto para a carteira XMR quanto para a carteira BSQ.\n\nVocê deve anotá-las em uma folha de papel. Jamais anote as palavras em um arquivo no seu computador ou em seu e-mail.\n\nNote que a semente da carteira NÃO substitui um backup.\nPara fazer isso, você precisa fazer backup da pasta do Haveno na seção \"Conta/Backup\".\nA importação da semente da carteira só é recomendada em casos de emergência. O programa não funcionará corretamente se você não recuperá-lo através de um backup!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Você não definiu uma senha para carteira, que protegeria a exibição das palavras-semente.\n\nGostaria de exibir as palavras-semente?
account.seed.warn.noPw.yes=Sim, e não me pergunte novamente
account.seed.enterPw=Digite a senha para ver a semente da carteira
account.seed.restore.info=Faça um backup antes de aplicar a restauração a partir de palavras-semente. Esteja ciente de que a restauração da carteira é apenas para casos de emergência e pode causar problemas com a base de dados interna da carteira.\nNão é uma maneira de aplicar um backup! Por favor, use um backup do diretório de dados do programa para restaurar um estado anterior do programa.\n\nDepois de restaurado, o programa será desligado automaticamente. Após ser reiniciado, o programa será ressincronizado com a rede Bitcoin. Isso pode demorar um pouco e aumenta ro consumo de CPU, especialmente se a carteira for mais antiga e tiver muitas transações. Por favor, evite interromper esse processo, caso contrário, você pode precisar excluir o diretório da corrente SPV novamente ou repetir o processo de restauração.
account.seed.restore.info=Faça um backup antes de aplicar a restauração a partir de palavras-semente. Esteja ciente de que a restauração da carteira é apenas para casos de emergência e pode causar problemas com a base de dados interna da carteira.\nNão é uma maneira de aplicar um backup! Por favor, use um backup do diretório de dados do programa para restaurar um estado anterior do programa.\n\nDepois de restaurado, o programa será desligado automaticamente. Após ser reiniciado, o programa será ressincronizado com a rede Monero. Isso pode demorar um pouco e aumenta ro consumo de CPU, especialmente se a carteira for mais antiga e tiver muitas transações. Por favor, evite interromper esse processo, caso contrário, você pode precisar excluir o diretório da corrente SPV novamente ou repetir o processo de restauração.
account.seed.restore.ok=Ok, restaurar e desligar o Haveno
@ -1262,13 +1262,13 @@ account.notifications.trade.label=Receber mensagens de negociação
account.notifications.market.label=Receber alertas de oferta
account.notifications.price.label=Receber alertas de preço
account.notifications.priceAlert.title=Alertas de preço
account.notifications.priceAlert.high.label=Avisar se o preço do BTC estiver acima de
account.notifications.priceAlert.low.label=Avisar se o preço do BTC estiver abaixo de
account.notifications.priceAlert.high.label=Avisar se o preço do XMR estiver acima de
account.notifications.priceAlert.low.label=Avisar se o preço do XMR estiver abaixo de
account.notifications.priceAlert.setButton=Definir alerta de preço
account.notifications.priceAlert.removeButton=Remover alerta de preço
account.notifications.trade.message.title=O estado da negociação mudou
account.notifications.trade.message.msg.conf=A transação de depósito para a negociação com o ID {0} foi confirmada. Por favor, abra o seu aplicativo Haveno e realize o pagamento.
account.notifications.trade.message.msg.started=O comprador de BTC iniciou o pagarmento para a negociação com o ID {0}.
account.notifications.trade.message.msg.started=O comprador de XMR iniciou o pagarmento para a negociação com o ID {0}.
account.notifications.trade.message.msg.completed=A negociação com o ID {0} foi completada.
account.notifications.offer.message.title=A sua oferta foi aceita
account.notifications.offer.message.msg=A sua oferta com o ID {0} foi aceita
@ -1278,10 +1278,10 @@ account.notifications.dispute.message.msg=Você recebeu uma mensagem de disputa
account.notifications.marketAlert.title=Alertas de oferta
account.notifications.marketAlert.selectPaymentAccount=Ofertas correspondendo à conta de pagamento
account.notifications.marketAlert.offerType.label=Tenho interesse em
account.notifications.marketAlert.offerType.buy=Ofertas de compra (eu quero vender BTC)
account.notifications.marketAlert.offerType.sell=Ofertas de venda (eu quero comprar BTC)
account.notifications.marketAlert.offerType.buy=Ofertas de compra (eu quero vender XMR)
account.notifications.marketAlert.offerType.sell=Ofertas de venda (eu quero comprar XMR)
account.notifications.marketAlert.trigger=Distância do preço da oferta (%)
account.notifications.marketAlert.trigger.info=Ao definir uma distância de preço, você só irá receber um alerta quando alguém publicar uma oferta que atinge (ou excede) os seus critérios. Por exemplo: você quer vender BTC, mas você só irá vender a um prêmio de 2% sobre o preço de mercado atual. Ao definir esse campo para 2%, você só irá receber alertas de ofertas cujos preços estão 2% (ou mais) acima do preço de mercado atual.
account.notifications.marketAlert.trigger.info=Ao definir uma distância de preço, você só irá receber um alerta quando alguém publicar uma oferta que atinge (ou excede) os seus critérios. Por exemplo: você quer vender XMR, mas você só irá vender a um prêmio de 2% sobre o preço de mercado atual. Ao definir esse campo para 2%, você só irá receber alertas de ofertas cujos preços estão 2% (ou mais) acima do preço de mercado atual.
account.notifications.marketAlert.trigger.prompt=Distância percentual do preço do mercado (ex: 2.50%, -0.50%, etc.)
account.notifications.marketAlert.addButton=Inserir alerta de oferta
account.notifications.marketAlert.manageAlertsButton=Gerenciar alertas de oferta
@ -1309,10 +1309,10 @@ inputControlWindow.balanceLabel=Saldo disponível
contractWindow.title=Detalhes da disputa
contractWindow.dates=Data da oferta / Data da negociação
contractWindow.btcAddresses=Endereço bitcoin do comprador de BTC / vendedor de BTC
contractWindow.onions=Endereço de rede comprador de BTC / vendendor de BTC
contractWindow.accountAge=Idade da conta do comprador de BTC / vendedor de BTC
contractWindow.numDisputes=Nº de disputas comprador de BTC / vendedor de BTC:
contractWindow.xmrAddresses=Endereço monero do comprador de XMR / vendedor de XMR
contractWindow.onions=Endereço de rede comprador de XMR / vendendor de XMR
contractWindow.accountAge=Idade da conta do comprador de XMR / vendedor de XMR
contractWindow.numDisputes=Nº de disputas comprador de XMR / vendedor de XMR:
contractWindow.contractHash=Hash do contrato
displayAlertMessageWindow.headline=Informação importante!
@ -1338,8 +1338,8 @@ disputeSummaryWindow.title=Resumo
disputeSummaryWindow.openDate=Data da abertura do ticket
disputeSummaryWindow.role=Função do negociador
disputeSummaryWindow.payout=Pagamento da quantia negociada
disputeSummaryWindow.payout.getsTradeAmount={0} BTC fica com o pagamento da negociação
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount={0} XMR fica com o pagamento da negociação
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Pagamento personalizado
disputeSummaryWindow.payoutAmount.buyer=Quantia do pagamento do comprador
disputeSummaryWindow.payoutAmount.seller=Quantia de pagamento do vendedor
@ -1381,7 +1381,7 @@ disputeSummaryWindow.close.button=Fechar ticket
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1425,18 +1425,18 @@ filterWindow.mediators=Mediadores filtrados (endereços onion separados por vír
filterWindow.refundAgents=Agentes de reembolso filtrados (endereços onion separados por vírgula)
filterWindow.seedNode=Nós de semente filtrados (endereços onion sep. por vírgula)
filterWindow.priceRelayNode=Nós de transmissão de preço filtrados (endereços onion sep. por vírgula)
filterWindow.xmrNode=Nós de Bitcoin filtrados (endereços + portas sep. por vírgula)
filterWindow.preventPublicXmrNetwork=Prevenir uso da rede de Bitcoin pública
filterWindow.xmrNode=Nós de Monero filtrados (endereços + portas sep. por vírgula)
filterWindow.preventPublicXmrNetwork=Prevenir uso da rede de Monero pública
filterWindow.disableAutoConf=Disable auto-confirm
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
filterWindow.disableTradeBelowVersion=Versão mínima necessária para negociação
filterWindow.add=Adicionar filtro
filterWindow.remove=Remover filtro
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Quantia mín. em BTC
offerDetailsWindow.minXmrAmount=Quantia mín. em XMR
offerDetailsWindow.min=(mín. {0})
offerDetailsWindow.distance=(distância do preço de mercado: {0})
offerDetailsWindow.myTradingAccount=Minha conta de negociação
@ -1501,7 +1501,7 @@ tradeDetailsWindow.agentAddresses=Árbitro/Mediador
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1511,7 +1511,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Digite senha para abrir:
@ -1538,12 +1538,12 @@ torNetworkSettingWindow.bridges.header=O Tor está bloqueado?
torNetworkSettingWindow.bridges.info=Se o Tor estiver bloqueado pelo seu provedor de internet ou em seu país, você pode tentar usar pontes do Tor.\nVisite a página do Tor em https://bridges.torproject.org/bridges para aprender mais sobre pontes e transportadores plugáveis.
feeOptionWindow.headline=Escolha a moeda para pagar a taxa de negociação
feeOptionWindow.info=Você pode optar por pagar a taxa de negociação em BSQ ou BTC. As taxas de negociação são reduzidas quando pagas com BSQ.
feeOptionWindow.info=Você pode optar por pagar a taxa de negociação em BSQ ou XMR. As taxas de negociação são reduzidas quando pagas com BSQ.
feeOptionWindow.optionsLabel=Escolha a moeda para pagar a taxa de negociação
feeOptionWindow.useBTC=Usar BTC
feeOptionWindow.useXMR=Usar XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1585,15 +1585,15 @@ popup.warning.noTradingAccountSetup.msg=Você precisa criar uma conta em moeda n
popup.warning.noArbitratorsAvailable=Não há árbitros disponíveis.
popup.warning.noMediatorsAvailable=Não há mediadores disponíveis.
popup.warning.notFullyConnected=Você precisa aguardar até estar totalmente conectado à rede.\nIsto pode levar até 2 minutos na inicialização do programa.
popup.warning.notSufficientConnectionsToBtcNetwork=Você precisa esperar até ter pelo menos {0} conexões à rede Bitcoin.
popup.warning.downloadNotComplete=Você precisa aguardar até que termine o download dos blocos de Bitcoin restantes
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Você precisa esperar até ter pelo menos {0} conexões à rede Monero.
popup.warning.downloadNotComplete=Você precisa aguardar até que termine o download dos blocos de Monero restantes
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Tem certeza que deseja remover essa oferta?
popup.warning.tooLargePercentageValue=Você não pode definir uma porcentagem superior a 100%.
popup.warning.examplePercentageValue=Digite um número percentual, como \"5.4\" para 5.4%
popup.warning.noPriceFeedAvailable=Não há feed de preços disponível para essa moeda. Você não pode usar um preço porcentual.\nPor favor selecione um preço fixo.
popup.warning.sendMsgFailed=O envio da mensagem para seu parceiro de negociação falhou.\nFavor tentar novamente, e se o erro persistir reportar o erro (bug report).
popup.warning.btcChangeBelowDustException=Esta transação cria um troco menor do que o limite poeira (546 Satoshi) e seria rejeitada pela rede Bitcoin.\nVocê precisa adicionar a quantia poeira ao montante de envio para evitar gerar uma saída de poeira.\nA saída de poeira é {0}.
popup.warning.btcChangeBelowDustException=Esta transação cria um troco menor do que o limite poeira (546 Satoshi) e seria rejeitada pela rede Monero.\nVocê precisa adicionar a quantia poeira ao montante de envio para evitar gerar uma saída de poeira.\nA saída de poeira é {0}.
popup.warning.messageTooLong=Sua mensagem excede o tamanho máximo permitido. Favor enviá-la em várias partes ou utilizando um serviço como https://pastebin.com.
popup.warning.lockedUpFunds=Você possui fundos travados em uma negociação com erro.\nSaldo travado: {0}\nEndereço da transação de depósito: {1}\nID da negociação: {2}.\n\nPor favor, abra um ticket de suporte selecionando a negociação na tela de negociações em aberto e depois pressionando "\alt+o\" ou \"option+o\".
@ -1609,13 +1609,13 @@ popup.warning.priceRelay=transmissão de preço
popup.warning.seed=semente
popup.warning.mandatoryUpdate.trading=Faça o update para a última versão do Haveno. Um update obrigatório foi lançado e desabilita negociações em versões antigas. Por favor, veja o Fórum do Haveno para mais informações.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=Esta transação não é possível, pois as taxas de mineração de {0} excederiam o montante a transferir de {1}. Aguarde até que as taxas de mineração estejam novamente baixas ou até você ter acumulado mais BTC para transferir.
popup.warning.burnXMR=Esta transação não é possível, pois as taxas de mineração de {0} excederiam o montante a transferir de {1}. Aguarde até que as taxas de mineração estejam novamente baixas ou até você ter acumulado mais XMR para transferir.
popup.warning.openOffer.makerFeeTxRejected=A transação de taxa de ofertante para a oferta com ID {0} foi rejeitada pela rede Bitcoin.\nID da transação: {1}.\nA oferta foi removida para evitar problemas adicionais.\nPor favor, vá até "Configurações/Informações da rede" e ressincronize o arquivo SPV.\nPara mais informações, por favor acesse o canal #support do time da Haveno na Keybase.
popup.warning.openOffer.makerFeeTxRejected=A transação de taxa de ofertante para a oferta com ID {0} foi rejeitada pela rede Monero.\nID da transação: {1}.\nA oferta foi removida para evitar problemas adicionais.\nPor favor, vá até "Configurações/Informações da rede" e ressincronize o arquivo SPV.\nPara mais informações, por favor acesse o canal #support do time da Haveno na Keybase.
popup.warning.trade.txRejected.tradeFee=taxa de negociação
popup.warning.trade.txRejected.deposit=depósito
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=A transação de taxa de ofertante para a oferta com ID {0} é inválida.\nID da transação: {1}.\nPor favor, vá até "Configurações/Informações da rede" e ressincronize o arquivo SPV.\nPara mais informações, por favor acesse o canal #support do time da Haveno na Keybase.
@ -1630,7 +1630,7 @@ popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not
popup.privateNotification.headline=Notificação privada importante!
popup.securityRecommendation.headline=Recomendação de segurança importante
popup.securityRecommendation.msg=Lembre-se de proteger a sua carteira com uma senha, caso você já não tenha criado uma.\n\nRecomendamos que você escreva num papel as palavras da semente de sua carteira. Essas palavras funcionam como uma senha mestra para recuperar a sua carteira Bitcoin, caso o seu computador apresente algum problema.\nVocê irá encontrar mais informações na seção \"Semente da carteira\".\n\nTambém aconselhamos que você faça um backup completo da pasta de dados do programa na seção \"Backup\".
popup.securityRecommendation.msg=Lembre-se de proteger a sua carteira com uma senha, caso você já não tenha criado uma.\n\nRecomendamos que você escreva num papel as palavras da semente de sua carteira. Essas palavras funcionam como uma senha mestra para recuperar a sua carteira Monero, caso o seu computador apresente algum problema.\nVocê irá encontrar mais informações na seção \"Semente da carteira\".\n\nTambém aconselhamos que você faça um backup completo da pasta de dados do programa na seção \"Backup\".
popup.shutDownInProgress.headline=Desligando
popup.shutDownInProgress.msg=O desligamento do programa pode levar alguns segundos.\nPor favor, não interrompa este processo.
@ -1685,7 +1685,7 @@ notification.ticket.headline=Ticket de suporte para a oferta com ID {0}
notification.trade.completed=A negociação foi concluída e você já pode retirar seus fundos.
notification.trade.accepted=Sua oferta foi aceita por um {0}.
notification.trade.unlocked=Sua negociação tem pelo menos uma confirmação da blockchain.\nVocê já pode iniciar o pagamento.
notification.trade.paymentSent=O comprador BTC iniciou o pagamento
notification.trade.paymentSent=O comprador XMR iniciou o pagamento
notification.trade.selectTrade=Selecionar negociação
notification.trade.peerOpenedDispute=Seu parceiro de negociação abriu um {0}.
notification.trade.disputeClosed=A {0} foi fechada.
@ -1704,7 +1704,7 @@ systemTray.show=Mostrar janela do applicativo
systemTray.hide=Esconder janela do applicativo
systemTray.info=Informações sobre Haveno
systemTray.exit=Sair
systemTray.tooltip=Haveno: a rede de exchange decentralizada de bitcoin
systemTray.tooltip=Haveno: a rede de exchange decentralizada de monero
####################################################################
@ -1766,10 +1766,10 @@ peerInfo.age.noRisk=Idade da conta de pagamento
peerInfo.age.chargeBackRisk=Tempo desde a assinatura
peerInfo.unknownAge=Idade desconhecida
addressTextField.openWallet=Abrir a sua carteira Bitcoin padrão
addressTextField.openWallet=Abrir a sua carteira Monero padrão
addressTextField.copyToClipboard=Copiar endereço para área de transferência
addressTextField.addressCopiedToClipboard=Endereço copiado para área de transferência
addressTextField.openWallet.failed=Erro ao abrir a carteira padrão Bitcoin. Talvez você não possua uma instalada.
addressTextField.openWallet.failed=Erro ao abrir a carteira padrão Monero. Talvez você não possua uma instalada.
peerInfoIcon.tooltip={0}\nRótulo: {1}
@ -1860,7 +1860,7 @@ seed.date=Data da carteira
seed.restore.title=Recuperar carteira a partir das palavras semente
seed.restore=Recuperar carteira
seed.creationDate=Criada em
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Desejo recuperar mesmo assim
seed.warn.walletNotEmpty.emptyWallet=Esvaziarei as carteiras primeiro
seed.warn.notEncryptedAnymore=Suas carteiras estão encriptadas.\n\nApós a restauração, as carteiras não estarão mais encriptadas e você deverá definir uma nova senha.\n\nDeseja continuar?
@ -1951,12 +1951,12 @@ payment.checking=Conta Corrente
payment.savings=Poupança
payment.personalId=Identificação pessoal
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Ao usar o HalCash, o comprador de BTC precisa enviar ao vendedor de BTC o código HalCash através de uma mensagem de texto do seu telefone.\n\nPor favor, certifique-se de não exceder a quantia máxima que seu banco lhe permite enviar com o HalCash. O valor mínimo de saque é de 10 euros e valor máximo é de 600 EUR. Para saques repetidos é de 3000 euros por destinatário por dia e 6000 euros por destinatário por mês. Por favor confirme esses limites com seu banco para ter certeza de que eles usam os mesmos limites mencionados aqui.\n\nO valor de saque deve ser um múltiplo de 10 euros, pois você não pode sacar notas diferentes de uma ATM. Esse valor em BTC será ajustado na telas de criar e aceitar ofertas para que a quantia de EUR esteja correta. Você não pode usar o preço com base no mercado, pois o valor do EUR estaria mudando com a variação dos preços.\n\nEm caso de disputa, o comprador de BTC precisa fornecer a prova de que enviou o EUR.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Ao usar o HalCash, o comprador de XMR precisa enviar ao vendedor de XMR o código HalCash através de uma mensagem de texto do seu telefone.\n\nPor favor, certifique-se de não exceder a quantia máxima que seu banco lhe permite enviar com o HalCash. O valor mínimo de saque é de 10 euros e valor máximo é de 600 EUR. Para saques repetidos é de 3000 euros por destinatário por dia e 6000 euros por destinatário por mês. Por favor confirme esses limites com seu banco para ter certeza de que eles usam os mesmos limites mencionados aqui.\n\nO valor de saque deve ser um múltiplo de 10 euros, pois você não pode sacar notas diferentes de uma ATM. Esse valor em XMR será ajustado na telas de criar e aceitar ofertas para que a quantia de EUR esteja correta. Você não pode usar o preço com base no mercado, pois o valor do EUR estaria mudando com a variação dos preços.\n\nEm caso de disputa, o comprador de XMR precisa fornecer a prova de que enviou o EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1972,7 +1972,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=Informações para contato
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1983,7 +1983,7 @@ payment.f2f.city.prompt=A cidade será exibida na oferta
payment.shared.optionalExtra=Informações adicionais opcionais
payment.shared.extraInfo=Informações adicionais
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Abrir site
payment.f2f.offerbook.tooltip.countryAndCity=País e cidade: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Informações adicionais: {0}
@ -1995,7 +1995,7 @@ payment.japan.recipient=Nome
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2153,7 +2153,7 @@ validation.zero=Número 0 não é permitido
validation.negative=Valores negativos não são permitidos.
validation.traditional.tooSmall=Quantia menor do que a mínima permitida.
validation.traditional.tooLarge=Quantia maior do que a máxima permitida.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=Quantia máx. permitida: {0}
validation.xmr.tooSmall=Quantia mín. permitida: {0}
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2163,10 +2163,10 @@ validation.sortCodeChars={0} deve consistir de {1} caracteres.
validation.bankIdNumber={0} deve consistir de {1} números.
validation.accountNr=O número de conta deve conter {0} números.
validation.accountNrChars=O número da conta deve conter {0} caracteres.
validation.btc.invalidAddress=O endereço está incorreto. Por favor, verifique o formato do endereço.
validation.xmr.invalidAddress=O endereço está incorreto. Por favor, verifique o formato do endereço.
validation.integerOnly=Por favor, insira apesar números inteiros
validation.inputError=Os dados inseridos causaram um erro:\n{0}
validation.btc.exceedsMaxTradeLimit=Seu limite de negociação é {0}.
validation.xmr.exceedsMaxTradeLimit=Seu limite de negociação é {0}.
validation.nationalAccountId={0} deve consistir de {1} números.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Eu compreendo
shared.na=N/D
shared.shutDown=Desligar
shared.reportBug=Reportar erro no GitHub
shared.buyBitcoin=Comprar bitcoin
shared.sellBitcoin=Vender bitcoin
shared.buyMonero=Comprar monero
shared.sellMonero=Vender monero
shared.buyCurrency=Comprar {0}
shared.sellCurrency=Vender {0}
shared.buyingBTCWith=comprando BTC com {0}
shared.sellingBTCFor=vendendo BTC por {0}
shared.buyingCurrency=comprando {0} (vendendo BTC)
shared.sellingCurrency=vendendo {0} (comprando BTC)
shared.buyingXMRWith=comprando XMR com {0}
shared.sellingXMRFor=vendendo XMR por {0}
shared.buyingCurrency=comprando {0} (vendendo XMR)
shared.sellingCurrency=vendendo {0} (comprando XMR)
shared.buy=comprar
shared.sell=vender
shared.buying=comprando
@ -93,7 +93,7 @@ shared.amountMinMax=Quantia (mín - máx)
shared.amountHelp=Se a oferta tem uma quantia mínima ou máxima definida, poderá negociar qualquer quantia dentro deste intervalo.
shared.remove=Remover
shared.goTo=Ir para {0}
shared.BTCMinMax=BTC (mín - máx)
shared.XMRMinMax=XMR (mín - máx)
shared.removeOffer=Remover oferta
shared.dontRemoveOffer=Não remover a oferta
shared.editOffer=Editar oferta
@ -105,14 +105,14 @@ shared.nextStep=Próximo passo
shared.selectTradingAccount=Selecionar conta de negociação
shared.fundFromSavingsWalletButton=Transferir fundos da carteira Haveno
shared.fundFromExternalWalletButton=Abrir sua carteira externa para o financiamento
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=Abaixo % do preço de mercado
shared.aboveInPercent=Acima % do preço de mercado
shared.enterPercentageValue=Insira % do valor
shared.OR=OU
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=Esperando pelos fundos...
shared.TheBTCBuyer=O comprador de BTC
shared.TheXMRBuyer=O comprador de XMR
shared.You=Você
shared.sendingConfirmation=Enviando confirmação...
shared.sendingConfirmationAgain=Por favor envia a confirmação de novo
@ -125,7 +125,7 @@ shared.notUsedYet=Ainda não usado
shared.date=Data
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=Copiar para área de transferência
shared.language=Idioma
shared.country=País
@ -169,7 +169,7 @@ shared.payoutTxId=ID de transação de pagamento
shared.contractAsJson=Contrato em formato JSON
shared.viewContractAsJson=Ver contrato em formato JSON
shared.contract.title=Contrato para negócio com ID: {0}
shared.paymentDetails=Detalhes do pagamento do {0} de BTC
shared.paymentDetails=Detalhes do pagamento do {0} de XMR
shared.securityDeposit=Depósito de segurança
shared.yourSecurityDeposit=O seu depósito de segurança
shared.contract=Contrato
@ -179,7 +179,7 @@ shared.messageSendingFailed=Falha no envio da mensagem. Erro: {0}
shared.unlock=Desbloquear
shared.toReceive=a receber
shared.toSpend=a enviar
shared.btcAmount=Quantia de BTC
shared.xmrAmount=Quantia de XMR
shared.yourLanguage=Os seus idiomas
shared.addLanguage=Adicionar idioma
shared.total=Total
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=Mercado
mainView.menu.buyBtc=Comprar BTC
mainView.menu.sellBtc=Vender BTC
mainView.menu.buyXmr=Comprar XMR
mainView.menu.sellXmr=Vender XMR
mainView.menu.portfolio=Portefólio
mainView.menu.funds=Fundos
mainView.menu.support=Apoio
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Reservado
mainView.balance.pending.short=Bloqueado
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(localhost)
mainView.footer.localhostMoneroNode=(localhost)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando à rede Bitcoin
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Conectando à rede Monero
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
mainView.footer.xmrInfo.connectingTo=Conectando à
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=O bootstrap para a rede do Ha
mainView.p2pNetworkWarnMsg.noNodesAvailable=Não há nós de semente ou pares persistentes disponíveis para solicitar dados.\nPor favor, verifique a sua conexão de Internet ou tente reiniciar o programa.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=A conexão com a rede do Haveno falhou (erro reportado: {0}).\nPor favor, verifique sua conexão com a Internet ou tente reiniciar o programa.
mainView.walletServiceErrorMsg.timeout=A conexão com a rede Bitcoin falhou por causa de tempo esgotado.
mainView.walletServiceErrorMsg.connectionError=A conexão com a rede Bitcoin falhou devido ao erro: {0}
mainView.walletServiceErrorMsg.timeout=A conexão com a rede Monero falhou por causa de tempo esgotado.
mainView.walletServiceErrorMsg.connectionError=A conexão com a rede Monero falhou devido ao erro: {0}
mainView.walletServiceErrorMsg.rejectedTxException=Uma transação foi rejeitada pela rede.\n\n{0}
mainView.networkWarning.allConnectionsLost=Você perdeu a conexão com todos os pares de rede de {0} .\nTalvez você tenha perdido sua conexão de internet ou o seu computador estivesse no modo de espera.
mainView.networkWarning.localhostBitcoinLost=Perdeu a conexão ao nó Bitcoin do localhost.\nPor favor recomeçar o programa do Haveno para conectar à outros nós Bitcoin ou recomeçar o nó Bitcoin do localhost.
mainView.networkWarning.localhostMoneroLost=Perdeu a conexão ao nó Monero do localhost.\nPor favor recomeçar o programa do Haveno para conectar à outros nós Monero ou recomeçar o nó Monero do localhost.
mainView.version.update=(Atualização disponível)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Comprar {0}
market.offerBook.sellWithTraditional=Vender {0}
market.offerBook.sellOffersHeaderLabel=Vender {0} para
market.offerBook.buyOffersHeaderLabel=Comprar {0} de
market.offerBook.buy=Eu quero comprar bitcoin
market.offerBook.sell=Eu quero vender bitcoin
market.offerBook.buy=Eu quero comprar monero
market.offerBook.sell=Eu quero vender monero
# SpreadView
market.spread.numberOfOffersColumn=Todas as ofertas ({0})
market.spread.numberOfBuyOffersColumn=Comprar BTC ({0})
market.spread.numberOfSellOffersColumn=Vender BTC ({0})
market.spread.totalAmountColumn=Total de BTC ({0})
market.spread.numberOfBuyOffersColumn=Comprar XMR ({0})
market.spread.numberOfSellOffersColumn=Vender XMR ({0})
market.spread.totalAmountColumn=Total de XMR ({0})
market.spread.spreadColumn=Spread
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=Nº de ofertas: {0}
offerbook.volume={0} (mín - máx)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Criar nova oferta para comprar {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=A quantia foi arredondada para aumentar a priva
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Escreva a quantia em BTC
createOffer.amount.prompt=Escreva a quantia em XMR
createOffer.price.prompt=Escreva o preço
createOffer.volume.prompt=Escreva a quantia em {0}
createOffer.amountPriceBox.amountDescription=Quantia de BTC para {0}
createOffer.amountPriceBox.amountDescription=Quantia de XMR para {0}
createOffer.amountPriceBox.buy.volumeDescription=Quantia em {0} a ser gasto
createOffer.amountPriceBox.sell.volumeDescription=Quantia em {0} a ser recebido
createOffer.amountPriceBox.minAmountDescription=Quantia mínima de BTC
createOffer.amountPriceBox.minAmountDescription=Quantia mínima de XMR
createOffer.securityDeposit.prompt=Depósito de segurança
createOffer.fundsBox.title=Financiar sua oferta
createOffer.fundsBox.offerFee=Taxa de negócio
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Receberá sempre mais {0}% do que o atual
createOffer.info.buyBelowMarketPrice=Pagará sempre menos {0}% do que o atual preço de mercado pois o preço da sua oferta será atualizado continuamente.
createOffer.warning.sellBelowMarketPrice=Receberá sempre menos {0}% do que o atual preço de mercado pois o preço da sua oferta será atualizado continuamente.
createOffer.warning.buyAboveMarketPrice=Pagará sempre mais {0}% do que o atual preço de mercado pois o preço da sua oferta será atualizado continuamente.
createOffer.tradeFee.descriptionBTCOnly=taxa de negócio
createOffer.tradeFee.descriptionXMROnly=taxa de negócio
createOffer.tradeFee.descriptionBSQEnabled=Selecione a moeda da taxa de negócio
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=O mín. depósito de segurança para o compra
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Insira a quantia de BTC
takeOffer.amountPriceBox.buy.amountDescription=Quantia de BTC a vender
takeOffer.amountPriceBox.sell.amountDescription=Quantia de BTC a comprar
takeOffer.amountPriceBox.priceDescription=Preço por bitcoin em {0}
takeOffer.amount.prompt=Insira a quantia de XMR
takeOffer.amountPriceBox.buy.amountDescription=Quantia de XMR a vender
takeOffer.amountPriceBox.sell.amountDescription=Quantia de XMR a comprar
takeOffer.amountPriceBox.priceDescription=Preço por monero em {0}
takeOffer.amountPriceBox.amountRangeDescription=Intervalo de quantia possível
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=A quantia introduzida excede o número de casas décimas permitido.\nA quantia foi ajustada para 4 casas decimais.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=A quantia introduzida excede o número de casas décimas permitido.\nA quantia foi ajustada para 4 casas decimais.
takeOffer.validation.amountSmallerThanMinAmount=A quantia não pode ser inferior à quantia mínima definida na oferta.
takeOffer.validation.amountLargerThanOfferAmount=A quantia inserida não pode ser superior à quantia definida na oferta.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Essa quantia inseria criaria troco poeira para o vendedor de BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Essa quantia inseria criaria troco poeira para o vendedor de XMR.
takeOffer.fundsBox.title=Financiar o seu negócio
takeOffer.fundsBox.isOfferAvailable=Verificar se a oferta está disponível ...
takeOffer.fundsBox.tradeAmount=Quantia para vender
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=A transação de depósito ainda não foi
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Por favor transfira da sua carteira externa {0}\n{1} para o vendedor de.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Por favor vá à um banco e pague{0} ao vendedor de BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUERIMENTO IMPORTANTE:\nDepois de ter feito o pagamento escreva no recibo de papel: SEM REEMBOLSOS.\nEm seguida, rasgue-o em 2 partes, tire uma foto e envie-a para o endereço de e-mail do vendedor de BTC.
portfolio.pending.step2_buyer.cash=Por favor vá à um banco e pague{0} ao vendedor de XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=REQUERIMENTO IMPORTANTE:\nDepois de ter feito o pagamento escreva no recibo de papel: SEM REEMBOLSOS.\nEm seguida, rasgue-o em 2 partes, tire uma foto e envie-a para o endereço de e-mail do vendedor de XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Por favor pague {0} ao vendedor de BTC usando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUERIMENTO IMPORTANTE:\nDepois de ter feito o pagamento envie o Número de autorização e uma foto do recibo por email para o vendedor de BTC\nO recibo deve mostrar claramente o nome completo do vendedor, o país, o estado e a quantia. O email do vendedor é: {0}.
portfolio.pending.step2_buyer.moneyGram=Por favor pague {0} ao vendedor de XMR usando MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=REQUERIMENTO IMPORTANTE:\nDepois de ter feito o pagamento envie o Número de autorização e uma foto do recibo por email para o vendedor de XMR\nO recibo deve mostrar claramente o nome completo do vendedor, o país, o estado e a quantia. O email do vendedor é: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Por favor pague {0} ao vendedor de BTC usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUISITO IMPORTANTE:\nDepois de ter feito o pagamento, envie o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de BTC.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.
portfolio.pending.step2_buyer.westernUnion=Por favor pague {0} ao vendedor de XMR usando Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=REQUISITO IMPORTANTE:\nDepois de ter feito o pagamento, envie o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de XMR.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Por favor envie {0} por \"US Postal Money Order\" para o vendedor de BTC.\n\n
portfolio.pending.step2_buyer.postal=Por favor envie {0} por \"US Postal Money Order\" para o vendedor de XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Por favor contacte o vendedor de BTC pelo contacto fornecido e marque um encontro para pagar {0}.\n\n
portfolio.pending.step2_buyer.f2f=Por favor contacte o vendedor de XMR pelo contacto fornecido e marque um encontro para pagar {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Iniciar pagamento usando {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Quantia a transferir
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=A sua conta de pagamento a ser usada
portfolio.pending.step2_buyer.paymentSent=Pagamento iniciado
portfolio.pending.step2_buyer.warn=Você ainda não fez o seu pagamento de {0}!\nSaiba que o negócio tem de ser concluído até {1}.
portfolio.pending.step2_buyer.openForDispute=Você não completou o seu pagamento!\nO período máx. para o negócio acabou. Por favor entre em contacto com o mediador para assistência.
portfolio.pending.step2_buyer.paperReceipt.headline=Você enviou o recibo de papel para o vendedor de BTC?
portfolio.pending.step2_buyer.paperReceipt.msg=Lembre-se:\nPrecisa escrever no recibo de papel: SEM REEMBOLSOS.\nEm seguida, rasgue-o em 2 partes, tire uma foto e envie-a para o endereço de e-mail do vendedor de BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=Você enviou o recibo de papel para o vendedor de XMR?
portfolio.pending.step2_buyer.paperReceipt.msg=Lembre-se:\nPrecisa escrever no recibo de papel: SEM REEMBOLSOS.\nEm seguida, rasgue-o em 2 partes, tire uma foto e envie-a para o endereço de e-mail do vendedor de XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Enviar Número de autorização e recibo
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Você precisa enviar o Número de Autorização e uma foto do recibo por e-mail para o vendedor de BTC.\nO recibo deve mostrar claramente o nome completo do vendedor, o país, o estado e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o Número de Autorização e o contrato para o vendedor?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Você precisa enviar o Número de Autorização e uma foto do recibo por e-mail para o vendedor de XMR.\nO recibo deve mostrar claramente o nome completo do vendedor, o país, o estado e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o Número de Autorização e o contrato para o vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Enviar MTCN e recibo
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Você precisa enviar o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de BTC.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o MTCN e o contrato para o vendedor?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Você precisa enviar o MTCN (número de rastreamento) e uma foto do recibo por e-mail para o vendedor de XMR.\nO recibo deve mostrar claramente o nome completo do vendedor, a cidade, o país e a quantia. O e-mail do vendedor é: {0}.\n\nVocê enviou o MTCN e o contrato para o vendedor?
portfolio.pending.step2_buyer.halCashInfo.headline=Enviar o código HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Você precisa enviar uma mensagem de texto com o código HalCash, bem como o ID da negociação ({0}) para o vendedor BTC.\nO nº do telemóvel do vendedor é {1}.\n\nVocê enviou o código para o vendedor?
portfolio.pending.step2_buyer.halCashInfo.msg=Você precisa enviar uma mensagem de texto com o código HalCash, bem como o ID da negociação ({0}) para o vendedor XMR.\nO nº do telemóvel do vendedor é {1}.\n\nVocê enviou o código para o vendedor?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Some banks might verify the receiver's name. Faster Payments accounts created in old Haveno clients do not provide the receiver's name, so please use trade chat to obtain it (if needed).
portfolio.pending.step2_buyer.confirmStart.headline=Confirme que você iniciou o pagamento
portfolio.pending.step2_buyer.confirmStart.msg=Você iniciou o pagamento de {0} para o seu parceiro de negociação?
portfolio.pending.step2_buyer.confirmStart.yes=Sim, iniciei o pagamento
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=Aguardar o pagamento
portfolio.pending.step2_seller.f2fInfo.headline=Informação do contacto do comprador
portfolio.pending.step2_seller.waitPayment.msg=A transação de depósito tem pelo menos uma confirmação da blockchain.\nVocê precisa esperar até que o comprador de BTC inicie o pagamento {0}.
portfolio.pending.step2_seller.warn=O comprador do BTC ainda não efetuou o pagamento de {0}.\nVocê precisa esperar até que eles tenham iniciado o pagamento.\nSe o negócio não for concluído em {1}, o árbitro irá investigar.
portfolio.pending.step2_seller.openForDispute=O comprador de BTC não iniciou o seu pagamento!\nO período máx. permitido para o negócio acabou.\nVocê pode esperar e dar mais tempo ao seu par de negociação ou entrar em contacto com o mediador para assistência.
portfolio.pending.step2_seller.waitPayment.msg=A transação de depósito tem pelo menos uma confirmação da blockchain.\nVocê precisa esperar até que o comprador de XMR inicie o pagamento {0}.
portfolio.pending.step2_seller.warn=O comprador do XMR ainda não efetuou o pagamento de {0}.\nVocê precisa esperar até que eles tenham iniciado o pagamento.\nSe o negócio não for concluído em {1}, o árbitro irá investigar.
portfolio.pending.step2_seller.openForDispute=O comprador de XMR não iniciou o seu pagamento!\nO período máx. permitido para o negócio acabou.\nVocê pode esperar e dar mais tempo ao seu par de negociação ou entrar em contacto com o mediador para assistência.
tradeChat.chatWindowTitle=Janela de chat para o negócio com o ID ''{0}''
tradeChat.openChat=Abrir janela de chat
tradeChat.rules=Você pode comunicar com o seu par de negociação para resolver problemas com este negócio.\nNão é obrigatório responder no chat.\nSe algum negociante infringir alguma das regras abaixo, abra uma disputa e reporte-o ao mediador ou ao árbitro.\n\nRegras do chat:\n\t● Não envie nenhum link (risco de malware). Você pode enviar o ID da transação e o nome de um explorador de blocos.\n\t● Não envie as suas palavras-semente, chaves privadas, senhas ou outra informação sensitiva!\n\t● Não encoraje negócios fora do Haveno (sem segurança).\n\t● Não engaje em nenhuma forma de scams de engenharia social.\n\t● Se um par não responde e prefere não comunicar pelo chat, respeite a sua decisão.\n\t● Mantenha o âmbito da conversa limitado ao negócio. Este chat não é um substituto para o messenger ou uma caixa para trolls.\n\t● Mantenha a conversa amigável e respeitosa.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=O par confirmou a recepção da mensagem
# suppress inspection "UnusedProperty"
message.state.FAILED=Falha de envio de mensagem
portfolio.pending.step3_buyer.wait.headline=Aguarde confirmação de pagamento do vendedor de BTC.
portfolio.pending.step3_buyer.wait.info=Aguardando confirmação do vendedor de BTC para o recibo do pagamento de {0}.
portfolio.pending.step3_buyer.wait.headline=Aguarde confirmação de pagamento do vendedor de XMR.
portfolio.pending.step3_buyer.wait.info=Aguardando confirmação do vendedor de XMR para o recibo do pagamento de {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Pagamento iniciado mensagem de estado
portfolio.pending.step3_buyer.warn.part1a=na blockchain {0}
portfolio.pending.step3_buyer.warn.part1b=no seu provedor de pagamentos (ex: banco)
portfolio.pending.step3_buyer.warn.part2=O vendedor de BTC ainda não confirmou o seu pagamento. Por favor confirme se o envio do pagamento de {0} foi bem-sucedido.
portfolio.pending.step3_buyer.warn.part2=O vendedor de XMR ainda não confirmou o seu pagamento. Por favor confirme se o envio do pagamento de {0} foi bem-sucedido.
portfolio.pending.step3_buyer.openForDispute=O vendedor de Haveno não confirmou o seu pagamento! O período máx. para o negócio acabou. Você pode esperar e dar mais tempo ao seu par de negociação or pedir assistência de um mediador.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=O seu parceiro de negociação confirmou que começou o pagamento de {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=no seu explorador de blockchain de {0} favorito
portfolio.pending.step3_seller.crypto.wallet=na sua carteira de {0}
portfolio.pending.step3_seller.crypto={0} Por favor verifique {1} se a transação para o seu endereço recipiente\n{2}\njá possui confirmações suficientes da blockchain.\nA quantia de pagamento deve ser {3}\n\nVocê pode copiar e colar o seu endereço {4} do ecrã principal depois de fechar o pop-up.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=Como o pagamento é feito via Depósito em Dinheiro, o comprador do BTC deve escrever "SEM REEMBOLSO" no recibo de papel, rasgá-lo em 2 partes e enviar uma foto por e-mail.\n\nPara evitar o risco de estorno, confirme apenas se você recebeu o e-mail e se tiver certeza de que o recibo de papel é válido.\nSe você não tiver certeza, {0}
portfolio.pending.step3_seller.moneyGram=O comprador deve enviar o Número de Autorização e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente o seu nome completo, país, estado e a quantia. Por favor verifique seu e-mail se recebeu o Número de Autorização.\n\nDepois de fechar esse pop-up, verá o nome e o endereço do comprador do BTC para levantar o dinheiro da MoneyGram.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.westernUnion=O comprador deve enviar-lhe o MTCN (número de rastreamento) e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente seu nome completo, cidade, país e a quantia Por favor verifique no seu e-mail se você recebeu o MTCN.\n\nDepois de fechar esse pop-up, você verá o nome e endereço do comprador de BTC para levantar o dinheiro da Western Union.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=Como o pagamento é feito via Depósito em Dinheiro, o comprador do XMR deve escrever "SEM REEMBOLSO" no recibo de papel, rasgá-lo em 2 partes e enviar uma foto por e-mail.\n\nPara evitar o risco de estorno, confirme apenas se você recebeu o e-mail e se tiver certeza de que o recibo de papel é válido.\nSe você não tiver certeza, {0}
portfolio.pending.step3_seller.moneyGram=O comprador deve enviar o Número de Autorização e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente o seu nome completo, país, estado e a quantia. Por favor verifique seu e-mail se recebeu o Número de Autorização.\n\nDepois de fechar esse pop-up, verá o nome e o endereço do comprador do XMR para levantar o dinheiro da MoneyGram.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.westernUnion=O comprador deve enviar-lhe o MTCN (número de rastreamento) e uma foto do recibo por e-mail.\nO recibo deve mostrar claramente seu nome completo, cidade, país e a quantia Por favor verifique no seu e-mail se você recebeu o MTCN.\n\nDepois de fechar esse pop-up, você verá o nome e endereço do comprador de XMR para levantar o dinheiro da Western Union.\n\nConfirme apenas o recebimento depois de ter conseguido o dinheiro com sucesso!
portfolio.pending.step3_seller.halCash=O comprador deve-lhe enviar o código HalCash como mensagem de texto. Além disso, você receberá uma mensagem do HalCash com as informações necessárias para retirar o EUR de uma ATM que suporte o HalCash.\n\nDepois de levantar o dinheiro na ATM, confirme aqui o recibo do pagamento!
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID de transação
portfolio.pending.step3_seller.xmrTxKey=Transaction key
portfolio.pending.step3_seller.buyersAccount=Buyers account data
portfolio.pending.step3_seller.confirmReceipt=Confirmar recibo de pagamento
portfolio.pending.step3_seller.buyerStartedPayment=O comprador de BTC começou o pagamento de {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=O comprador de XMR começou o pagamento de {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Verifique as confirmações da blockchain na sua carteira crypto ou explorador de blocos e confirme o pagamento quando houverem confirmações da blockchain suficientes.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Verifique em sua conta de negociação (por exemplo, sua conta bancária) e confirme que recebeu o pagamento.
portfolio.pending.step3_seller.warn.part1a=na blockchain {0}
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Você recebeu o pagamento
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Verifique também se o nome do remetente especificado no contrato de negócio corresponde ao nome que aparece no seu extrato bancário:\nNome do remetente, por contrato de negócio: {0}\n\nSe os nomes não forem exatamente iguais, não confirme a recepção do pagamento. Em vez disso, abra uma disputa pressionando \"alt + o\" ou \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Observe que, assim que você confirmar a recepção, o valor da transação bloqueada será liberado para o comprador de BTC e o depósito de segurança será reembolsado.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Observe que, assim que você confirmar a recepção, o valor da transação bloqueada será liberado para o comprador de XMR e o depósito de segurança será reembolsado.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Confirme que recebeu o pagamento
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Sim, eu recebi o pagamento
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANTE: Ao confirmar a recepção do pagamento, você também está verificando a conta da contraparte e assinando-a. Como a conta da contraparte ainda não foi assinada, você deve adiar a confirmação do pagamento o máximo possível para reduzir o risco de estorno.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Taxa de negócio
portfolio.pending.step5_buyer.makersMiningFee=Taxa de mineração
portfolio.pending.step5_buyer.takersMiningFee=Total das taxas de mineração
portfolio.pending.step5_buyer.refunded=Depósito de segurança reembolsado
portfolio.pending.step5_buyer.withdrawBTC=Levantar seus bitcoins
portfolio.pending.step5_buyer.withdrawXMR=Levantar seus moneros
portfolio.pending.step5_buyer.amount=Quantia a levantar
portfolio.pending.step5_buyer.withdrawToAddress=Levantar para o endereço
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Seus fundos já foram levantados.
portfolio.pending.step5_buyer.confirmWithdrawal=Confirmar solicitação de levantamento
portfolio.pending.step5_buyer.amountTooLow=A quantia a ser transferida é inferior à taxa de transação e o mín. valor de transação possível (poeira).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Levantamento completado
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Os seus negócios concluídos são armazenadas em \ "Portefólio/Histórico\".\nVocê pode analisar todas as suas transações de bitcoin em \"Fundos/Transações\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Os seus negócios concluídos são armazenadas em \ "Portefólio/Histórico\".\nVocê pode analisar todas as suas transações de monero em \"Fundos/Transações\"
portfolio.pending.step5_buyer.bought=Você comprou
portfolio.pending.step5_buyer.paid=Você pagou
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=Você já aceitou
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Financiar carteira Haveno
funds.deposit.noAddresses=Ainda não foi gerado um endereço de depósito
funds.deposit.fundWallet=Financiar sua carteira
funds.deposit.withdrawFromWallet=Enviar fundos da carteira
funds.deposit.amount=Quantia em BTC (opcional)
funds.deposit.amount=Quantia em XMR (opcional)
funds.deposit.generateAddress=Gerar um endereço novo
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=Favor selecione um endereço não utilizado da tabela acima ao invés de gerar um novo.
@ -890,7 +890,7 @@ funds.tx.revert=Reverter
funds.tx.txSent=Transação enviada com sucesso para um novo endereço em sua carteira Haveno local.
funds.tx.direction.self=Enviado à você mesmo
funds.tx.dustAttackTx=Poeira recebida
funds.tx.dustAttackTx.popup=Esta transação está enviando uma quantia muito pequena de BTC para a sua carteira e pode ser uma tentativa das empresas de análise da blockchain para espionar a sua carteira.\n\nSe você usar esse output em uma transação eles decobrirão que você provavelmente também é o proprietário de outros endereços (mistura de moedas).\n\nPara proteger sua privacidade a carteira Haveno ignora tais outputs de poeira para fins de consumo e no ecrã de saldo. Você pode definir a quantia limite a partir da qual um output é considerado poeira nas definições."
funds.tx.dustAttackTx.popup=Esta transação está enviando uma quantia muito pequena de XMR para a sua carteira e pode ser uma tentativa das empresas de análise da blockchain para espionar a sua carteira.\n\nSe você usar esse output em uma transação eles decobrirão que você provavelmente também é o proprietário de outros endereços (mistura de moedas).\n\nPara proteger sua privacidade a carteira Haveno ignora tais outputs de poeira para fins de consumo e no ecrã de saldo. Você pode definir a quantia limite a partir da qual um output é considerado poeira nas definições."
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=Mensagem guardada na caixa de correio do recipiente.
support.arrived=Mensagem chegou em seu destino.
support.acknowledged=Chegada de mensagem confirmada pelo recipiente
support.error=O recipiente não pode processar a mensagem. Erro: {0}
support.buyerAddress=Endereço do comprador de BTC
support.sellerAddress=Endereço do vendedor de BTC
support.buyerAddress=Endereço do comprador de XMR
support.sellerAddress=Endereço do vendedor de XMR
support.role=Cargo
support.agent=Support agent
support.state=Estado
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=Fechado
support.open=Aberto
support.process=Process
support.buyerMaker=Comprador de BTC/Ofertante
support.sellerMaker=Vendedor de BTC/Ofertante
support.buyerTaker=Comprador de BTC/Aceitador
support.sellerTaker=Vendedor de BTC/Aceitador
support.buyerMaker=Comprador de XMR/Ofertante
support.sellerMaker=Vendedor de XMR/Ofertante
support.buyerTaker=Comprador de XMR/Aceitador
support.sellerTaker=Vendedor de XMR/Aceitador
support.backgroundInfo=Haveno não é uma empresa, portanto, lida com disputas de forma diferente.\n\nOs traders podem se comunicar dentro do aplicativo por meio de um chat seguro na tela de negociações abertas para tentar resolver as disputas por conta própria. Se isso não for suficiente, um árbitro avaliará a situação e decidirá um pagamento dos fundos da negociação.
support.initialInfo=Digite uma descrição do seu problema no campo de texto abaixo. Adicione o máximo de informações possível para acelerar o tempo de resolução da disputa.\n\nAqui está uma lista do que você deve fornecer:\n● Se você é o comprador de BTC: Você fez a transferência da Fiat ou Crypto? Se sim, você clicou no botão 'pagamento iniciado' no programa?\n● Se você é o vendedor de BTC: Você recebeu o pagamento da Fiat ou Crypto? Se sim, você clicou no botão 'pagamento recebido' no programa?\n\t● Qual versão do Haveno você está usando?\n\t● Qual sistema operacional você está usando?\n\t ● Se você encontrou um problema com transações com falha, considere mudar para um novo diretório de dados.\n\t Às vezes, o diretório de dados é corrompido e leva a erros estranhos.\n\t Consulte: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nFamiliarize-se com as regras básicas do processo de disputa:\n\t● Você precisa responder às solicitações do {0} dentro de 2 dias.\n\t● Os mediadores respondem entre 2 dias. Os árbitros respondem dentro de 5 dias úteis.\n\t ● O período máximo para uma disputa é de 14 dias.\n\t ● Você precisa cooperar com o {1} e fornecer as informações solicitadas para justificar o seu caso.\n\t● Você aceitou as regras descritas no documento de disputa no contrato do usuário quando iniciou o programa.\n\nVocê pode ler mais sobre o processo de disputa em: {2}
support.initialInfo=Digite uma descrição do seu problema no campo de texto abaixo. Adicione o máximo de informações possível para acelerar o tempo de resolução da disputa.\n\nAqui está uma lista do que você deve fornecer:\n● Se você é o comprador de XMR: Você fez a transferência da Fiat ou Crypto? Se sim, você clicou no botão 'pagamento iniciado' no programa?\n● Se você é o vendedor de XMR: Você recebeu o pagamento da Fiat ou Crypto? Se sim, você clicou no botão 'pagamento recebido' no programa?\n\t● Qual versão do Haveno você está usando?\n\t● Qual sistema operacional você está usando?\n\t ● Se você encontrou um problema com transações com falha, considere mudar para um novo diretório de dados.\n\t Às vezes, o diretório de dados é corrompido e leva a erros estranhos.\n\t Consulte: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nFamiliarize-se com as regras básicas do processo de disputa:\n\t● Você precisa responder às solicitações do {0} dentro de 2 dias.\n\t● Os mediadores respondem entre 2 dias. Os árbitros respondem dentro de 5 dias úteis.\n\t ● O período máximo para uma disputa é de 14 dias.\n\t ● Você precisa cooperar com o {1} e fornecer as informações solicitadas para justificar o seu caso.\n\t● Você aceitou as regras descritas no documento de disputa no contrato do usuário quando iniciou o programa.\n\nVocê pode ler mais sobre o processo de disputa em: {2}
support.systemMsg=Mensagem do sistema: {0}
support.youOpenedTicket=Você abriu um pedido para apoio.\n\n{0}\n\nHaveno versão: {1}
support.youOpenedDispute=Você abriu um pedido para uma disputa.\n\n{0}\n\nHaveno versão: {1}
@ -979,13 +979,13 @@ settings.tab.network=Informação da rede
settings.tab.about=Sobre
setting.preferences.general=Preferências gerais
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Máx. desvio do preço de mercado
setting.preferences.avoidStandbyMode=Evite o modo espera
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Valores acima de {0}% não são permitidos.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1022,29 +1022,29 @@ settings.preferences.editCustomExplorer.name=Nome
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Rede Bitcoin
settings.net.xmrHeader=Rede Monero
settings.net.p2pHeader=Rede do Haveno
settings.net.onionAddressLabel=O meu endereço onion
settings.net.xmrNodesLabel=Usar nós de Monero personalizados
settings.net.moneroPeersLabel=Pares conectados
settings.net.useTorForXmrJLabel=Usar Tor para a rede de Monero
settings.net.moneroNodesLabel=Nós de Monero para conectar
settings.net.useProvidedNodesRadio=Usar nós de Bitcoin Core providenciados
settings.net.usePublicNodesRadio=Usar rede de Bitcoin pública
settings.net.useCustomNodesRadio=Usar nós de Bitcoin Core personalizados
settings.net.useProvidedNodesRadio=Usar nós de Monero Core providenciados
settings.net.usePublicNodesRadio=Usar rede de Monero pública
settings.net.useCustomNodesRadio=Usar nós de Monero Core personalizados
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=Não, usar nós providenciados
settings.net.warn.usePublicNodes.usePublic=Sim, usar a rede pública
settings.net.warn.useCustomNodes.B2XWarning=Por favor, certifique-se de que seu nó Bitcoin é um nó confiável do Bitcoin Core!\n\nConectar-se a nós que não seguem as regras de consenso do Bitcoin Core pode corromper a sua carteira e causar problemas no processo de negócio.\n\nOs usuários que se conectam a nós que violam regras de consenso são responsáveis por qualquer dano resultante. Quaisquer disputas resultantes serão decididas em favor do outro par. Nenhum suporte técnico será dado aos usuários que ignorarem esses alertas e mecanismos de proteção!
settings.net.warn.invalidBtcConfig=A conexão à rede Bitcoin falhou porque sua configuração é inválida.\n\nA sua configuração foi redefinida para usar os nós de Bitcoin fornecidos. Você precisará reiniciar o programa.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Bitcoin node when starting. If it is found, Haveno will communicate with the Bitcoin network exclusively through it.
settings.net.warn.useCustomNodes.B2XWarning=Por favor, certifique-se de que seu nó Monero é um nó confiável do Monero Core!\n\nConectar-se a nós que não seguem as regras de consenso do Monero Core pode corromper a sua carteira e causar problemas no processo de negócio.\n\nOs usuários que se conectam a nós que violam regras de consenso são responsáveis por qualquer dano resultante. Quaisquer disputas resultantes serão decididas em favor do outro par. Nenhum suporte técnico será dado aos usuários que ignorarem esses alertas e mecanismos de proteção!
settings.net.warn.invalidXmrConfig=A conexão à rede Monero falhou porque sua configuração é inválida.\n\nA sua configuração foi redefinida para usar os nós de Monero fornecidos. Você precisará reiniciar o programa.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=Pares conectados
settings.net.onionAddressColumn=Endereço onion
settings.net.creationDateColumn=Estabelecida
settings.net.connectionTypeColumn=Entrando/Saindo
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Ida-e-volta
settings.net.sentBytesColumn=Enviado
settings.net.receivedBytesColumn=Recebido
@ -1059,7 +1059,7 @@ settings.net.needRestart=Você precisa reiniciar o programa para aplicar essa al
settings.net.notKnownYet=Ainda desconhecido...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[endereço IP:porta | nome de host:porta | endereço onion:porta] (separado por vírgula). A porta pode ser omitida se a padrão for usada (8333).
settings.net.seedNode=Nó semente
settings.net.directPeer=Par (direto)
@ -1068,7 +1068,7 @@ settings.net.peer=Par
settings.net.inbound=entrante
settings.net.outbound=sainte
setting.about.aboutHaveno=Sobre Haveno
setting.about.about=O Haveno é um software de código aberto que facilita a troca de bitcoins com moedas nacionais (e outras criptomoedas) por meio de uma rede par-à-par descentralizada, de uma maneira que protege fortemente a privacidade do utilizador. Saiba mais sobre o Haveno na nossa página web do projeto.
setting.about.about=O Haveno é um software de código aberto que facilita a troca de moneros com moedas nacionais (e outras criptomoedas) por meio de uma rede par-à-par descentralizada, de uma maneira que protege fortemente a privacidade do utilizador. Saiba mais sobre o Haveno na nossa página web do projeto.
setting.about.web=página da web do Haveno
setting.about.code=Código fonte
setting.about.agpl=Licença AGPL
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=Selecionar negócio pendente e clicar:
setting.about.shortcuts.walletDetails=Abrir janela de detalhes da carteira
setting.about.shortcuts.openEmergencyBtcWalletTool=Abrir ferramenta e emergência da carteira para a carteira de BTC
setting.about.shortcuts.openEmergencyXmrWalletTool=Abrir ferramenta e emergência da carteira para a carteira de XMR
setting.about.shortcuts.showTorLogs=Escolher o nível de log para mensagens Tor entre DEBUG e WARN
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=Enviar notificação privada ao
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1140,7 +1140,7 @@ account.tab.mediatorRegistration=Registo do Mediador
account.tab.refundAgentRegistration=Registro de agente de reembolso
account.tab.signing=Signing
account.info.headline=Bem vindo à sua conta Haveno
account.info.msg=Aqui você pode adicionar contas de negociação para moedas nacionais e cryptos e criar um backup da sua carteira e dos dados da conta.\n\nUma nova carteira de Bitcoin foi criada na primeira vez que você iniciou o Haveno.\n\nÉ altamente recomendável que você anote as sua palavras-semente da carteira do Bitcoin (consulte a guia na parte superior) e considere adicionar uma senha antes do financiamento. Depósitos e retiradas de Bitcoin são gerenciados na secção \"Fundos\".\n\nNota sobre privacidade e segurança: como o Haveno é uma exchange descentralizada, todos os seus dados são mantidos no seu computador. Como não há servidores, não temos acesso às suas informações pessoais, fundos ou mesmo seu endereço IP. Dados como números de contas bancárias, endereços de crypto e Bitcoin etc. são compartilhados apenas com seu par de negociação para realizar negociações iniciadas (no caso de uma disputa, o mediador ou o árbitro verá os mesmos dados que o seu parceiro de negociação).
account.info.msg=Aqui você pode adicionar contas de negociação para moedas nacionais e cryptos e criar um backup da sua carteira e dos dados da conta.\n\nUma nova carteira de Monero foi criada na primeira vez que você iniciou o Haveno.\n\nÉ altamente recomendável que você anote as sua palavras-semente da carteira do Monero (consulte a guia na parte superior) e considere adicionar uma senha antes do financiamento. Depósitos e retiradas de Monero são gerenciados na secção \"Fundos\".\n\nNota sobre privacidade e segurança: como o Haveno é uma exchange descentralizada, todos os seus dados são mantidos no seu computador. Como não há servidores, não temos acesso às suas informações pessoais, fundos ou mesmo seu endereço IP. Dados como números de contas bancárias, endereços de crypto e Monero etc. são compartilhados apenas com seu par de negociação para realizar negociações iniciadas (no caso de uma disputa, o mediador ou o árbitro verá os mesmos dados que o seu parceiro de negociação).
account.menu.paymentAccount=Contas de moedas nacionais
account.menu.altCoinsAccountView=Contas de cryptos
@ -1151,7 +1151,7 @@ account.menu.backup=Backup
account.menu.notifications=Notificações
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=A negociação de ParsiCoin no Haveno exige que vo
account.crypto.popup.blk-burnt.msg=Para negociar blackcoins queimados, você precisa saber o seguinte:\n\nBlackcoins queimados não podem ser gastos. Para os negociar no Haveno, os output scripts precisam estar na forma: OP_RETURN OP_PUSHDATA, seguido pelos data bytes que, após serem codificados em hex, constituem endereços. Por exemplo, blackcoins queimados com um endereço 666f6f (“foo” em UTF-8) terá o seguinte script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nPara criar blackcoins queimados, deve-se usar o comando RPC “burn” disponível em algumas carteiras.\n\nPara casos possíveis, confira https://ibo.laboratorium.ee .\n\nComo os blackcoins queimados não podem ser gastos, eles não podem voltar a ser vendidos. “Vender” blackcoins queimados significa queimar blackcoins comuns (com os dados associados iguais ao endereço de destino).\n\nEm caso de disputa, o vendedor de BLK precisa providenciar o hash da transação.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=A negociação de L-BTC no Haveno exige que você entenda o seguinte:\n\nAo receber L-BTC para um negócio no Haveno, você não pode usar a aplicação móvel Blockstream Green Wallet ou uma carteira de custódia / exchange. Você só deve receber o L-BTC na carteira Liquid Elements Core ou em outra carteira L-BTC que permita obter a chave ofuscante para o seu endereço L-BTC cego.\n\nNo caso de ser necessária mediação, ou se surgir uma disputa de negócio, você deve divulgar a chave ofuscante do seu endereço L-BTC de recebimento ao mediador ou agente de reembolso Haveno, para que eles possam verificar os detalhes da sua Transação Confidencial no seu próprio Elements Core full node.\n\nO não fornecimento das informações necessárias ao mediador ou ao agente de reembolso resultará na perda do caso de disputa. Em todos os casos de disputa, o recipiente de L-BTC suporta 100% da responsabilidade ao fornecer prova criptográfica ao mediador ou ao agente de reembolso.\n\nSe você não entender esses requerimentos, não negocie o L-BTC no Haveno.
account.crypto.popup.liquidmonero.msg=A negociação de L-XMR no Haveno exige que você entenda o seguinte:\n\nAo receber L-XMR para um negócio no Haveno, você não pode usar a aplicação móvel Blockstream Green Wallet ou uma carteira de custódia / exchange. Você só deve receber o L-XMR na carteira Liquid Elements Core ou em outra carteira L-XMR que permita obter a chave ofuscante para o seu endereço L-XMR cego.\n\nNo caso de ser necessária mediação, ou se surgir uma disputa de negócio, você deve divulgar a chave ofuscante do seu endereço L-XMR de recebimento ao mediador ou agente de reembolso Haveno, para que eles possam verificar os detalhes da sua Transação Confidencial no seu próprio Elements Core full node.\n\nO não fornecimento das informações necessárias ao mediador ou ao agente de reembolso resultará na perda do caso de disputa. Em todos os casos de disputa, o recipiente de L-XMR suporta 100% da responsabilidade ao fornecer prova criptográfica ao mediador ou ao agente de reembolso.\n\nSe você não entender esses requerimentos, não negocie o L-XMR no Haveno.
account.traditional.yourTraditionalAccounts=A sua conta de moeda nacional
@ -1229,12 +1229,12 @@ account.password.setPw.headline=Definir proteção de senha da carteira
account.password.info=Com a proteção por senha habilitada, você precisará inserir sua senha ao iniciar o aplicativo, ao retirar monero de sua carteira e ao exibir suas palavras-semente.
account.seed.backup.title=Fazer backup das palavras semente da sua carteira
account.seed.info=Por favor, anote as palavras-semente da carteira e a data! Você pode recuperar sua carteira a qualquer momento com palavras-semente e a data.\nAs mesmas palavras-semente são usadas para a carteira BTC e BSQ.\n\nVocê deve anotar as palavras-semente numa folha de papel. Não as guarde no seu computador.\n\nPor favor, note que as palavras-semente não são um substituto para um backup.\nVocê precisa criar um backup de todo o diretório do programa a partir do ecrã \"Conta/Backup\" para recuperar o estado e os dados do programa.\nA importação de palavras-semente é recomendada apenas para casos de emergência. O programa não será funcional sem um backup adequado dos arquivos da base de dados e das chaves!
account.seed.info=Por favor, anote as palavras-semente da carteira e a data! Você pode recuperar sua carteira a qualquer momento com palavras-semente e a data.\nAs mesmas palavras-semente são usadas para a carteira XMR e BSQ.\n\nVocê deve anotar as palavras-semente numa folha de papel. Não as guarde no seu computador.\n\nPor favor, note que as palavras-semente não são um substituto para um backup.\nVocê precisa criar um backup de todo o diretório do programa a partir do ecrã \"Conta/Backup\" para recuperar o estado e os dados do programa.\nA importação de palavras-semente é recomendada apenas para casos de emergência. O programa não será funcional sem um backup adequado dos arquivos da base de dados e das chaves!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Você não definiu uma senha da carteira que protegeria a exibição das palavras-semente.\n\nVocê quer exibir as palavras-semente?
account.seed.warn.noPw.yes=Sim, e não me pergunte novamente
account.seed.enterPw=Digite a senha para ver palavras-semente
account.seed.restore.info=Por favor, faça um backup antes de aplicar a restauração a partir de palavras-semente. Esteja ciente de que a restauração da carteira é apenas para casos de emergência e pode causar problemas com a base de dados interna da carteira.\nNão é uma maneira de aplicar um backup! Por favor, use um backup do diretório de dados do programa para restaurar um estado anterior do programa.\n\nDepois de restaurar o programa será desligado automaticamente. Depois de ter reiniciado o programa, ele será ressincronizado com a rede Bitcoin. Isso pode demorar um pouco e consumir muito do CPU, especialmente se a carteira for mais antiga e tiver muitas transações. Por favor, evite interromper esse processo, caso contrário, você pode precisar excluir o ficheiro da corrente do SPV novamente ou repetir o processo de restauração.
account.seed.restore.info=Por favor, faça um backup antes de aplicar a restauração a partir de palavras-semente. Esteja ciente de que a restauração da carteira é apenas para casos de emergência e pode causar problemas com a base de dados interna da carteira.\nNão é uma maneira de aplicar um backup! Por favor, use um backup do diretório de dados do programa para restaurar um estado anterior do programa.\n\nDepois de restaurar o programa será desligado automaticamente. Depois de ter reiniciado o programa, ele será ressincronizado com a rede Monero. Isso pode demorar um pouco e consumir muito do CPU, especialmente se a carteira for mais antiga e tiver muitas transações. Por favor, evite interromper esse processo, caso contrário, você pode precisar excluir o ficheiro da corrente do SPV novamente ou repetir o processo de restauração.
account.seed.restore.ok=Ok, restaurar e desligar Haveno
@ -1259,13 +1259,13 @@ account.notifications.trade.label=Receber mensagens de negócio
account.notifications.market.label=Receber alertas de oferta
account.notifications.price.label=Receber alertas de preço
account.notifications.priceAlert.title=Alertas de preço
account.notifications.priceAlert.high.label=Notificar se o preço de BTC está acima de
account.notifications.priceAlert.low.label=Notificar se o preço de BTC está abaixo de
account.notifications.priceAlert.high.label=Notificar se o preço de XMR está acima de
account.notifications.priceAlert.low.label=Notificar se o preço de XMR está abaixo de
account.notifications.priceAlert.setButton=Definir alerta de preço
account.notifications.priceAlert.removeButton=Remover alerta de preço
account.notifications.trade.message.title=Estado do negócio mudou
account.notifications.trade.message.msg.conf=A transação do depósito para o negócio com o ID {0} está confirmada. Por favor, abra seu programa Haveno e inicie o pagamento.
account.notifications.trade.message.msg.started=O comprador do BTC iniciou o pagamento para o negócio com o ID {0}.
account.notifications.trade.message.msg.started=O comprador do XMR iniciou o pagamento para o negócio com o ID {0}.
account.notifications.trade.message.msg.completed=O negócio com o ID {0} está completo.
account.notifications.offer.message.title=A sua oferta foi aceite
account.notifications.offer.message.msg=A sua oferta com o ID {0} foi aceite
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=Recebeu uma menagem de disputa para o
account.notifications.marketAlert.title=Alertas de ofertas
account.notifications.marketAlert.selectPaymentAccount=Ofertas compatíveis com a conta de pagamento
account.notifications.marketAlert.offerType.label=Tipo de oferta que me interessa
account.notifications.marketAlert.offerType.buy=Ofertas de compra (Eu quero vender BTC)
account.notifications.marketAlert.offerType.sell=Ofertas de venda (eu quero comprar BTC)
account.notifications.marketAlert.offerType.buy=Ofertas de compra (Eu quero vender XMR)
account.notifications.marketAlert.offerType.sell=Ofertas de venda (eu quero comprar XMR)
account.notifications.marketAlert.trigger=Distância do preço da oferta (%)
account.notifications.marketAlert.trigger.info=Com uma distância de preço definida, você só receberá um alerta quando uma oferta que atenda (ou exceda) os seus requerimentos for publicada. Exemplo: você quer vender BTC, mas você só venderá à um ganho de 2% sobre o atual preço de mercado. Definir esse campo como 2% garantirá que você receba apenas alertas para ofertas com preços que estão 2% (ou mais) acima do atual preço de mercado.
account.notifications.marketAlert.trigger.info=Com uma distância de preço definida, você só receberá um alerta quando uma oferta que atenda (ou exceda) os seus requerimentos for publicada. Exemplo: você quer vender XMR, mas você só venderá à um ganho de 2% sobre o atual preço de mercado. Definir esse campo como 2% garantirá que você receba apenas alertas para ofertas com preços que estão 2% (ou mais) acima do atual preço de mercado.
account.notifications.marketAlert.trigger.prompt=Distância da percentagem do preço de mercado (ex: 2.50%, -0.50%, etc)
account.notifications.marketAlert.addButton=Adicionar alerta de oferta
account.notifications.marketAlert.manageAlertsButton=Gerir alertas de oferta
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=Saldo disponível
contractWindow.title=Detalhes da disputa
contractWindow.dates=Data de oferta / Data de negócio
contractWindow.btcAddresses=Endereço bitcoin comprador BTC / vendendor BTC
contractWindow.onions=Endereço de rede comprador de BTC / vendendor de BTC
contractWindow.accountAge=Idade da conta do comprador de BTC / vendedor de BTC
contractWindow.numDisputes=Nº de disputas comprador de BTC / vendedor de BTC:
contractWindow.xmrAddresses=Endereço monero comprador XMR / vendendor XMR
contractWindow.onions=Endereço de rede comprador de XMR / vendendor de XMR
contractWindow.accountAge=Idade da conta do comprador de XMR / vendedor de XMR
contractWindow.numDisputes=Nº de disputas comprador de XMR / vendedor de XMR:
contractWindow.contractHash=Hash do contrato
displayAlertMessageWindow.headline=Informação importante!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=Resumo
disputeSummaryWindow.openDate=Data de abertura do bilhete
disputeSummaryWindow.role=Função do negociador
disputeSummaryWindow.payout=Pagamento da quantia de negócio
disputeSummaryWindow.payout.getsTradeAmount={0} de BTC fica com o pagamento da quantia de negócio
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount={0} de XMR fica com o pagamento da quantia de negócio
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Pagamento personalizado
disputeSummaryWindow.payoutAmount.buyer=Quantia de pagamento do comprador
disputeSummaryWindow.payoutAmount.seller=Quantia de pagamento do vendedor
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=Fechar bilhete
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1420,18 +1420,18 @@ filterWindow.mediators=Mediadores filtrados (endereços onion separados por vír
filterWindow.refundAgents=Agentes de reembolso filtrados (endereços onion sep. por virgula)
filterWindow.seedNode=Nós de semente filtrados (endereços onion sep. por vírgula)
filterWindow.priceRelayNode=Nós de transmissão de preço filtrados (endereços onion sep. por vírgula)
filterWindow.xmrNode=Nós de Bitcoin filtrados (endereços + portas sep. por vírgula)
filterWindow.preventPublicXmrNetwork=Prevenir uso da rede de Bitcoin pública
filterWindow.xmrNode=Nós de Monero filtrados (endereços + portas sep. por vírgula)
filterWindow.preventPublicXmrNetwork=Prevenir uso da rede de Monero pública
filterWindow.disableAutoConf=Disable auto-confirm
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
filterWindow.disableTradeBelowVersion=Mín. versão necessária para negociação
filterWindow.add=Adicionar filtro
filterWindow.remove=Remover filtro
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Quantia mín. de BTC
offerDetailsWindow.minXmrAmount=Quantia mín. de XMR
offerDetailsWindow.min=(mín. {0})
offerDetailsWindow.distance=(distância do preço de mercado: {0})
offerDetailsWindow.myTradingAccount=Minha conta de negociação
@ -1494,7 +1494,7 @@ tradeDetailsWindow.agentAddresses=Árbitro/Mediador
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1504,7 +1504,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Digite senha para abrir:
@ -1530,12 +1530,12 @@ torNetworkSettingWindow.bridges.header=O Tor está bloqueado?
torNetworkSettingWindow.bridges.info=Se o Tor estiver bloqueado pelo seu fornecedor de internet ou pelo seu país, você pode tentar usar pontes Tor.\nVisite a página web do Tor em: https://bridges.torproject.org/bridges para saber mais sobre pontes e transportes conectáveis.
feeOptionWindow.headline=Escolha a moeda para o pagamento da taxa de negócio
feeOptionWindow.info=Pode escolher pagar a taxa de negócio em BSQ ou em BTC. Se escolher BSQ tira proveito da taxa de negócio descontada.
feeOptionWindow.info=Pode escolher pagar a taxa de negócio em BSQ ou em XMR. Se escolher BSQ tira proveito da taxa de negócio descontada.
feeOptionWindow.optionsLabel=Escolha a moeda para o pagamento da taxa de negócio
feeOptionWindow.useBTC=Usar BTC
feeOptionWindow.useXMR=Usar XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1577,9 +1577,9 @@ popup.warning.noTradingAccountSetup.msg=Você precisa configurar uma conta de mo
popup.warning.noArbitratorsAvailable=Não há árbitros disponíveis.
popup.warning.noMediatorsAvailable=Não há mediadores disponíveis.
popup.warning.notFullyConnected=Você precisa esperar até estar totalmente conectado à rede.\nIsso pode levar cerca de 2 minutos na inicialização.
popup.warning.notSufficientConnectionsToBtcNetwork=Você precisa esperar até que você tenha pelo menos {0} conexões com a rede Bitcoin.
popup.warning.downloadNotComplete=Você precisa esperar até que o download dos blocos de Bitcoin ausentes esteja completo.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Você precisa esperar até que você tenha pelo menos {0} conexões com a rede Monero.
popup.warning.downloadNotComplete=Você precisa esperar até que o download dos blocos de Monero ausentes esteja completo.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Tem certeza de que deseja remover essa oferta?
popup.warning.tooLargePercentageValue=Você não pode definir uma percentagem superior à 100%.
popup.warning.examplePercentageValue=Por favor digitar um número percentual como \"5.4\" para 5.4%
@ -1599,13 +1599,13 @@ popup.warning.priceRelay=transmissão de preço
popup.warning.seed=semente
popup.warning.mandatoryUpdate.trading=Por favor, atualize para a versão mais recente do Haveno. Uma atualização obrigatória que desativa negociação para versões antigas foi lançada. Por favor, confira o Fórum Haveno para mais informações.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=Esta transação não é possível, pois as taxas de mineração de {0} excederia o montante a transferir de {1}. Aguarde até que as taxas de mineração estejam novamente baixas ou até você ter acumulado mais BTC para transferir.
popup.warning.burnXMR=Esta transação não é possível, pois as taxas de mineração de {0} excederia o montante a transferir de {1}. Aguarde até que as taxas de mineração estejam novamente baixas ou até você ter acumulado mais XMR para transferir.
popup.warning.openOffer.makerFeeTxRejected=A transação da taxa de ofertante para a oferta com o ID {0} foi rejeitada pela rede do Bitcoin.\nID da transação={1}.\nA oferta foi removida para evitar futuros problemas.\nPor favor vá à \"Definições/Informação da Rede\" e re-sincronize o ficheiro SPV.\nPara mais ajuda por favor contacte o canal de apoio do Haveno na equipa Keybase do Haveno.
popup.warning.openOffer.makerFeeTxRejected=A transação da taxa de ofertante para a oferta com o ID {0} foi rejeitada pela rede do Monero.\nID da transação={1}.\nA oferta foi removida para evitar futuros problemas.\nPor favor vá à \"Definições/Informação da Rede\" e re-sincronize o ficheiro SPV.\nPara mais ajuda por favor contacte o canal de apoio do Haveno na equipa Keybase do Haveno.
popup.warning.trade.txRejected.tradeFee=taxa de negócio
popup.warning.trade.txRejected.deposit=depósito
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=A transação de taxa de ofertante para a oferta com o ID {0} é inválida\nID da transação={1}.\nPor favor vá à \"Definições/Informação da Rede\" e re-sincronize o ficheiro SPV.\nPara mais ajuda por favor contacte o canal de apoio do Haveno na equipa Keybase do Haveno.
@ -1620,7 +1620,7 @@ popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not
popup.privateNotification.headline=Notificação privada importante!
popup.securityRecommendation.headline=Recomendação de segurança importante
popup.securityRecommendation.msg=Gostaríamos de lembrá-lo de considerar a possibilidade de usar a proteção por senha para sua carteira, caso você ainda não tenha ativado isso.\n\nTambém é altamente recomendável anotar as palavras-semente da carteira. Essas palavras-semente são como uma senha mestre para recuperar sua carteira Bitcoin.\nNa secção \"Semente da Carteira\", você encontrará mais informações.\n\nAlém disso, você deve fazer o backup da pasta completa de dados do programa na secção \"Backup\".
popup.securityRecommendation.msg=Gostaríamos de lembrá-lo de considerar a possibilidade de usar a proteção por senha para sua carteira, caso você ainda não tenha ativado isso.\n\nTambém é altamente recomendável anotar as palavras-semente da carteira. Essas palavras-semente são como uma senha mestre para recuperar sua carteira Monero.\nNa secção \"Semente da Carteira\", você encontrará mais informações.\n\nAlém disso, você deve fazer o backup da pasta completa de dados do programa na secção \"Backup\".
popup.shutDownInProgress.headline=Desligando
popup.shutDownInProgress.msg=Desligar o programa pode demorar alguns segundos.\nPor favor não interrompa este processo.
@ -1673,9 +1673,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Failed to sign
notification.trade.headline=Notificação para o oferta com ID {0}
notification.ticket.headline=Bilhete de apoio para o negócio com ID {0}
notification.trade.completed=O negócio completou e você já pode levantar seus fundos.
notification.trade.accepted=Sua oferta foi aceite por um {0} de BTC.
notification.trade.accepted=Sua oferta foi aceite por um {0} de XMR.
notification.trade.unlocked=Seu negócio tem pelo menos uma confirmação da blockchain.\nVocê pode começar o pagamento agora.
notification.trade.paymentSent=O comprador de BTC iniciou o pagamento
notification.trade.paymentSent=O comprador de XMR iniciou o pagamento
notification.trade.selectTrade=Selecionar negócio
notification.trade.peerOpenedDispute=Seu par de negociação abriu um {0}.
notification.trade.disputeClosed=A {0} foi fechada.
@ -1694,7 +1694,7 @@ systemTray.show=Mostrar janela do programa
systemTray.hide=Esconder janela do programa
systemTray.info=Informação sobre Haveno
systemTray.exit=Sair
systemTray.tooltip=Haveno: Uma rede de echange de bitcoin descentralizada
systemTray.tooltip=Haveno: Uma rede de echange de monero descentralizada
####################################################################
@ -1756,10 +1756,10 @@ peerInfo.age.noRisk=Idade da conta de pagamento
peerInfo.age.chargeBackRisk=Tempo desde a assinatura
peerInfo.unknownAge=Idade desconhecida
addressTextField.openWallet=Abrir sua carteira Bitcoin padrão
addressTextField.openWallet=Abrir sua carteira Monero padrão
addressTextField.copyToClipboard=Copiar endereço para área de transferência
addressTextField.addressCopiedToClipboard=Endereço copiado para área de transferência
addressTextField.openWallet.failed=Abrir a programa de carteira Bitcoin padrão falhou. Talvez você não tenha um instalado?
addressTextField.openWallet.failed=Abrir a programa de carteira Monero padrão falhou. Talvez você não tenha um instalado?
peerInfoIcon.tooltip={0}\nRótulo: {1}
@ -1850,7 +1850,7 @@ seed.date=Data da carteira
seed.restore.title=Restaurar carteira a partir de palavras-semente
seed.restore=Restaurar carteiras
seed.creationDate=Data de criação
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Eu desejo restaurar de qualquer forma
seed.warn.walletNotEmpty.emptyWallet=Eu esvaziarei as carteiras primeiro
seed.warn.notEncryptedAnymore=Suas carteiras são encriptadas.\n\nApós a restauração, as carteiras não serão mais encriptadas e você deverá definir uma nova senha.\n\nVocê quer continuar?
@ -1941,12 +1941,12 @@ payment.checking=Conta Corrente
payment.savings=Poupança
payment.personalId=ID pessoal
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Ao usar o HalCash, o comprador de BTC precisa enviar ao vendedor de BTC o código HalCash através de uma mensagem de texto do seu telemóvel.\n\nPor favor, certifique-se de não exceder a quantia máxima que seu banco lhe permite enviar com o HalCash. A quantia mín. de levantamento é de 10 euros e a quantia máx. é de 600 EUR. Para levantamentos repetidos é de 3000 euros por recipiente por dia e 6000 euros por recipiente por mês. Por favor confirme esses limites com seu banco para ter certeza de que eles usam os mesmos limites mencionados aqui.\n\nA quantia de levantamento deve ser um múltiplo de 10 euros, pois você não pode levantar outras quantias de uma ATM. A interface do utilizador no ecrã para criar oferta e aceitar ofertas ajustará a quantia de BTC para que a quantia de EUR esteja correta. Você não pode usar o preço com base no mercado, pois o valor do EUR estaria mudando com a variação dos preços.\n\nEm caso de disputa, o comprador de BTC precisa fornecer a prova de que enviou o EUR.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Ao usar o HalCash, o comprador de XMR precisa enviar ao vendedor de XMR o código HalCash através de uma mensagem de texto do seu telemóvel.\n\nPor favor, certifique-se de não exceder a quantia máxima que seu banco lhe permite enviar com o HalCash. A quantia mín. de levantamento é de 10 euros e a quantia máx. é de 600 EUR. Para levantamentos repetidos é de 3000 euros por recipiente por dia e 6000 euros por recipiente por mês. Por favor confirme esses limites com seu banco para ter certeza de que eles usam os mesmos limites mencionados aqui.\n\nA quantia de levantamento deve ser um múltiplo de 10 euros, pois você não pode levantar outras quantias de uma ATM. A interface do utilizador no ecrã para criar oferta e aceitar ofertas ajustará a quantia de XMR para que a quantia de EUR esteja correta. Você não pode usar o preço com base no mercado, pois o valor do EUR estaria mudando com a variação dos preços.\n\nEm caso de disputa, o comprador de XMR precisa fornecer a prova de que enviou o EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1962,7 +1962,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=Informação de contacto
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1973,7 +1973,7 @@ payment.f2f.city.prompt=A cidade será exibida com a oferta
payment.shared.optionalExtra=Informação adicional opcional
payment.shared.extraInfo=Informação adicional
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Abrir página web
payment.f2f.offerbook.tooltip.countryAndCity=País e cidade: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Informação adicional: {0}
@ -1985,7 +1985,7 @@ payment.japan.recipient=Nome
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2143,7 +2143,7 @@ validation.zero=Número 0 não é permitido
validation.negative=Valores negativos não são permitidos.
validation.traditional.tooSmall=Input menor do que a quantia mínima permitida.
validation.traditional.tooLarge=Input maior do que a quantia máxima permitida.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=O input maior que {0} não é permitido.
validation.xmr.tooSmall=Input menor que {0} não é permitido.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2153,10 +2153,10 @@ validation.sortCodeChars={0} deve consistir de {1} caracteres.
validation.bankIdNumber={0} deve consistir de {1 números.
validation.accountNr=O número de conta deve conter {0} números.
validation.accountNrChars=O número da conta deve conter {0} caracteres.
validation.btc.invalidAddress=O endereço está incorreto. Por favor verificar o formato do endereço.
validation.xmr.invalidAddress=O endereço está incorreto. Por favor verificar o formato do endereço.
validation.integerOnly=Por favor, insira apenas números inteiros
validation.inputError=O seu input causou um erro:\n{0}
validation.btc.exceedsMaxTradeLimit=O seu limite de negócio é de {0}.
validation.xmr.exceedsMaxTradeLimit=O seu limite de negócio é de {0}.
validation.nationalAccountId={0} tem de ser constituído por {1} números
#new

View File

@ -36,12 +36,12 @@ shared.iUnderstand=Я понимаю
shared.na=Н
shared.shutDown=Закрыть
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=Купить биткойн
shared.sellBitcoin=Продать биткойн
shared.buyMonero=Купить биткойн
shared.sellMonero=Продать биткойн
shared.buyCurrency=Купить {0}
shared.sellCurrency=Продать {0}
shared.buyingBTCWith=покупка ВТС за {0}
shared.sellingBTCFor=продажа ВТС за {0}
shared.buyingXMRWith=покупка ВТС за {0}
shared.sellingXMRFor=продажа ВТС за {0}
shared.buyingCurrency=покупка {0} (продажа ВТС)
shared.sellingCurrency=продажа {0} (покупка ВТС)
shared.buy=покупки
@ -93,7 +93,7 @@ shared.amountMinMax=Количество (мин. — макс.)
shared.amountHelp=Если предложение включает диапазон сделки, вы можете обменять любую сумму в этом диапазоне.
shared.remove=Удалить
shared.goTo=Перейти к {0}
shared.BTCMinMax=ВТС (мин. — макс.)
shared.XMRMinMax=ВТС (мин. — макс.)
shared.removeOffer=Удалить предложение
shared.dontRemoveOffer=Не удалять предложение
shared.editOffer=Изменить предложение
@ -105,14 +105,14 @@ shared.nextStep=Далее
shared.selectTradingAccount=Выбрать торговый счёт
shared.fundFromSavingsWalletButton=Перевести средства с кошелька Haveno
shared.fundFromExternalWalletButton=Открыть внешний кошелёк для пополнения
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=% ниже рыночного курса
shared.aboveInPercent=% выше рыночного курса
shared.enterPercentageValue=Ввести величину в %
shared.OR=ИЛИ
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=Ожидание средств...
shared.TheBTCBuyer=Покупатель ВТС
shared.TheXMRBuyer=Покупатель ВТС
shared.You=Вы
shared.sendingConfirmation=Отправка подтверждения...
shared.sendingConfirmationAgain=Отправьте подтверждение повторно
@ -125,7 +125,7 @@ shared.notUsedYet=Ещё не использовано
shared.date=Дата
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=Скопировать в буфер
shared.language=Язык
shared.country=Страна
@ -179,7 +179,7 @@ shared.messageSendingFailed=Ошибка отправки сообщения: {0
shared.unlock=Разблокировать
shared.toReceive=получить
shared.toSpend=потратить
shared.btcAmount=Сумма ВТС
shared.xmrAmount=Сумма ВТС
shared.yourLanguage=Ваши языки
shared.addLanguage=Добавить язык
shared.total=Всего
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=Рынок
mainView.menu.buyBtc=Купить BTC
mainView.menu.sellBtc=Продать BTC
mainView.menu.buyXmr=Купить XMR
mainView.menu.sellXmr=Продать XMR
mainView.menu.portfolio=Сделки
mainView.menu.funds=Средства
mainView.menu.support=Поддержка
@ -245,9 +245,9 @@ mainView.balance.reserved.short=Выделено
mainView.balance.pending.short=В сделках
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(локальный узел)
mainView.footer.localhostMoneroNode=(локальный узел)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Подключение к сети Биткойн
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
@ -274,7 +274,7 @@ mainView.walletServiceErrorMsg.connectionError=Не удалось подклю
mainView.walletServiceErrorMsg.rejectedTxException=A transaction was rejected from the network.\n\n{0}
mainView.networkWarning.allConnectionsLost=Сбой соединения со всеми {0} узлами сети.\nВозможно, вы отключились от интернета, или Ваш компьютер перешел в режим ожидания.
mainView.networkWarning.localhostBitcoinLost=Сбой соединения с локальным узлом Биткойн.\nПерезапустите приложение для подключения к другим узлам Биткойн или перезапустите свой локальный узел Биткойн.
mainView.networkWarning.localhostMoneroLost=Сбой соединения с локальным узлом Биткойн.\nПерезапустите приложение для подключения к другим узлам Биткойн или перезапустите свой локальный узел Биткойн.
mainView.version.update=(Имеется обновление)
@ -299,9 +299,9 @@ market.offerBook.sell=Хочу продать биткойн
# SpreadView
market.spread.numberOfOffersColumn=Все предложения ({0})
market.spread.numberOfBuyOffersColumn=Купить BTC ({0})
market.spread.numberOfSellOffersColumn=Продать BTC ({0})
market.spread.totalAmountColumn=Итого BTC ({0})
market.spread.numberOfBuyOffersColumn=Купить XMR ({0})
market.spread.numberOfSellOffersColumn=Продать XMR ({0})
market.spread.totalAmountColumn=Итого XMR ({0})
market.spread.spreadColumn=Спред
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=Кол-во предложений: {0}
offerbook.volume={0} (мин. ⁠— макс.)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Создать новое предложение на покупку {0}
@ -415,7 +415,7 @@ offerbook.info.roundedFiatVolume=Сумма округлена, чтобы по
createOffer.amount.prompt=Введите сумму в ВТС
createOffer.price.prompt=Введите курс
createOffer.volume.prompt=Введите сумму в {0}
createOffer.amountPriceBox.amountDescription=Количество BTC для {0}
createOffer.amountPriceBox.amountDescription=Количество XMR для {0}
createOffer.amountPriceBox.buy.volumeDescription=Сумма затрат в {0}
createOffer.amountPriceBox.sell.volumeDescription=Сумма в {0} к получению
createOffer.amountPriceBox.minAmountDescription=Мин. количество ВТС
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Вы всегда получите на {0
createOffer.info.buyBelowMarketPrice=Вы всегда заплатите на {0}% меньше текущего рыночного курса, так как курс вашего предложения будет постоянно обновляться.
createOffer.warning.sellBelowMarketPrice=Вы всегда получите на {0}% меньше текущего рыночного курса, так как курс вашего предложения будет постоянно обновляться.
createOffer.warning.buyAboveMarketPrice=Вы всегда заплатите на {0}% больше текущего рыночного курса, так как курс вашего предложения будет постоянно обновляться.
createOffer.tradeFee.descriptionBTCOnly=Комиссия за сделку
createOffer.tradeFee.descriptionXMROnly=Комиссия за сделку
createOffer.tradeFee.descriptionBSQEnabled=Выбрать валюту комиссии за сделку
createOffer.triggerPrice.prompt=Set optional trigger price
@ -478,14 +478,14 @@ createOffer.minSecurityDepositUsed=Min. buyer security deposit is used
####################################################################
takeOffer.amount.prompt=Введите сумму в ВТС
takeOffer.amountPriceBox.buy.amountDescription=Сумма BTC для продажи
takeOffer.amountPriceBox.sell.amountDescription=Сумма BTC для покупки
takeOffer.amountPriceBox.buy.amountDescription=Сумма XMR для продажи
takeOffer.amountPriceBox.sell.amountDescription=Сумма XMR для покупки
takeOffer.amountPriceBox.priceDescription=Цена за биткойн в {0}
takeOffer.amountPriceBox.amountRangeDescription=Возможный диапазон суммы
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=Слишком много знаков после запятой.\nКоличество знаков скорректировано до 4.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=Слишком много знаков после запятой.\nКоличество знаков скорректировано до 4.
takeOffer.validation.amountSmallerThanMinAmount=Сумма не может быть меньше минимальной суммы, указанной в предложении.
takeOffer.validation.amountLargerThanOfferAmount=Введённая сумма не может превышать сумму, указанную в предложении.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Указанная сумма придет к появлению «пыли» у продавца BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Указанная сумма придет к появлению «пыли» у продавца XMR.
takeOffer.fundsBox.title=Обеспечьте свою сделку
takeOffer.fundsBox.isOfferAvailable=Проверка доступности предложения...
takeOffer.fundsBox.tradeAmount=Сумма для продажи
@ -597,7 +597,7 @@ portfolio.pending.step1.openForDispute=The deposit transaction is still not conf
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
@ -606,20 +606,20 @@ portfolio.pending.step2_buyer.crypto=Переведите {1} с внешнег
portfolio.pending.step2_buyer.cash=Обратитесь в банк и заплатите {0} продавцу ВТС.\n\n
portfolio.pending.step2_buyer.cash.extra=ВАЖНОЕ ТРЕБОВАНИЕ:\nПосле оплаты напишите на бумажной квитанции «ВОЗВРАТУ НЕ ПОДЛЕЖИТ».\nЗатем разорвите квитанцию на 2 части, сфотографируйте её и отошлите на электронный адрес продавца ВТС.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Заплатите {0} продавцу BTC через MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=ВАЖНОЕ ТРЕБОВАНИЕ:\nПосле оплаты отправьте продавцу BTC по электронной почте код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, страна (штат) и сумма. Электронный адрес продавца: {0}.
portfolio.pending.step2_buyer.moneyGram=Заплатите {0} продавцу XMR через MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=ВАЖНОЕ ТРЕБОВАНИЕ:\nПосле оплаты отправьте продавцу XMR по электронной почте код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, страна (штат) и сумма. Электронный адрес продавца: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Заплатите {0} продавцу BTC через Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=ВАЖНОЕ ТРЕБОВАНИЕ: \nПосле оплаты отправьте по электронной почте продавцу BTC контрольный номер MTCN и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, город, страна и сумма. Электронный адрес продавца: {0}.
portfolio.pending.step2_buyer.westernUnion=Заплатите {0} продавцу XMR через Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=ВАЖНОЕ ТРЕБОВАНИЕ: \nПосле оплаты отправьте по электронной почте продавцу XMR контрольный номер MTCN и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, город, страна и сумма. Электронный адрес продавца: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Отправьте {0} \«Почтовым денежным переводом США\» продавцу BTC.\n\n
portfolio.pending.step2_buyer.postal=Отправьте {0} \«Почтовым денежным переводом США\» продавцу XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Свяжитесь с продавцом BTC с помощью указанных контактных данных и договоритесь о встрече для оплаты {0}.\n\n
portfolio.pending.step2_buyer.f2f=Свяжитесь с продавцом XMR с помощью указанных контактных данных и договоритесь о встрече для оплаты {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Начать оплату, используя {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Сумма для перевода
@ -631,24 +631,24 @@ portfolio.pending.step2_buyer.openForDispute=You have not completed your payment
portfolio.pending.step2_buyer.paperReceipt.headline=Вы отослали бумажную квитанцию продавцу ВТС?
portfolio.pending.step2_buyer.paperReceipt.msg=Помните:\nВам необходимо написать на бумажной квитанции «ВОЗВРАТУ НЕ ПОДЛЕЖИТ».\nЗатем разорвите её пополам, сфотографируйте и отошлите по электронной почте продавцу ВТС.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Отправить код подтверждения и квитанцию
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Вам необходимо отправить по электронной почте продавцу BTC код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, страна (штат) и сумма. Электронный адрес продавца: {0}.\n\nВы отправили продавцу код подтверждения и квитанцию?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Вам необходимо отправить по электронной почте продавцу XMR код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано полное имя продавца, страна (штат) и сумма. Электронный адрес продавца: {0}.\n\nВы отправили продавцу код подтверждения и квитанцию?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Отправить MTCN и квитанцию
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Вам необходимо отправить по электронной почте продавцу BTC контрольный номер MTCN и фотографию квитанции.\nВ квитанции должно быть четко указано полное имя продавца, город, страна и сумма. Адрес электронной почты продавца: {0}. \n\nВы отправили MTCN и контракт продавцу?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Вам необходимо отправить по электронной почте продавцу XMR контрольный номер MTCN и фотографию квитанции.\nВ квитанции должно быть четко указано полное имя продавца, город, страна и сумма. Адрес электронной почты продавца: {0}. \n\nВы отправили MTCN и контракт продавцу?
portfolio.pending.step2_buyer.halCashInfo.headline=Отправить код HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Вам необходимо отправить сообщение с кодом HalCash и идентификатором сделки ({0}) продавцу BTC.\nНомер моб. тел. продавца: {1}\n\nВы отправили код продавцу?
portfolio.pending.step2_buyer.halCashInfo.msg=Вам необходимо отправить сообщение с кодом HalCash и идентификатором сделки ({0}) продавцу XMR.\nНомер моб. тел. продавца: {1}\n\nВы отправили код продавцу?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Some banks might verify the receiver's name. Faster Payments accounts created in old Haveno clients do not provide the receiver's name, so please use trade chat to obtain it (if needed).
portfolio.pending.step2_buyer.confirmStart.headline=Подтвердите начало платежа
portfolio.pending.step2_buyer.confirmStart.msg=Вы начали платеж {0} своему контрагенту?
portfolio.pending.step2_buyer.confirmStart.yes=Да
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=Ожидайте платеж
portfolio.pending.step2_seller.f2fInfo.headline=Контактная информация покупателя
portfolio.pending.step2_seller.waitPayment.msg=Депозитная транзакция подтверждена в блокчейне не менее одного раза.\nДождитесь начала платежа в {0} покупателем BTC.
portfolio.pending.step2_seller.warn=Покупатель BTC все еще не завершил платеж в {0}.\nДождитесь начала оплаты.\nЕсли сделка не завершится {1}, арбитр начнет разбирательство.
portfolio.pending.step2_seller.openForDispute=The BTC buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
portfolio.pending.step2_seller.waitPayment.msg=Депозитная транзакция подтверждена в блокчейне не менее одного раза.\nДождитесь начала платежа в {0} покупателем XMR.
portfolio.pending.step2_seller.warn=Покупатель XMR все еще не завершил платеж в {0}.\nДождитесь начала оплаты.\nЕсли сделка не завершится {1}, арбитр начнет разбирательство.
portfolio.pending.step2_seller.openForDispute=The XMR buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
tradeChat.chatWindowTitle=Chat window for trade with ID ''{0}''
tradeChat.openChat=Open chat window
tradeChat.rules=You can communicate with your trade peer to resolve potential problems with this trade.\nIt is not mandatory to reply in the chat.\nIf a trader violates any of the rules below, open a dispute and report it to the mediator or arbitrator.\n\nChat rules:\n\t● Do not send any links (risk of malware). You can send the transaction ID and the name of a block explorer.\n\t● Do not send your seed words, private keys, passwords or other sensitive information!\n\t● Do not encourage trading outside of Haveno (no security).\n\t● Do not engage in any form of social engineering scam attempts.\n\t● If a peer is not responding and prefers to not communicate via chat, respect their decision.\n\t● Keep conversation scope limited to the trade. This chat is not a messenger replacement or troll-box.\n\t● Keep conversation friendly and respectful.
@ -671,21 +671,21 @@ portfolio.pending.step3_buyer.wait.info=Ожидание подтвержден
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Статус сообщения о начале платежа
portfolio.pending.step3_buyer.warn.part1a=в блокчейне {0}
portfolio.pending.step3_buyer.warn.part1b=у вашего поставщика платёжных услуг (напр., банка)
portfolio.pending.step3_buyer.warn.part2=The BTC seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The BTC seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
portfolio.pending.step3_buyer.warn.part2=The XMR seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The XMR seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Ваш контрагент подтвердил начало оплаты в {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=в вашем любимом обозревателе блоков {0}
portfolio.pending.step3_seller.crypto.wallet=в вашем кошельке {0}
portfolio.pending.step3_seller.crypto={0}Проверьте {1}, была ли транзакция в ваш адрес\n{2}\nподтверждена достаточное количество раз.\nСумма платежа должна составлять {3}.\n\n Вы можете скопировать и вставить свой адрес {4} из главного окна после закрытия этого окна.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=Так как оплата осуществляется наличными на счёт, покупатель BTC должен написать \«НЕ ПОДЛЕЖИТ ВОЗВРАТУ\» на квитанции, разорвать её на 2 части и отправить вам её фото по электронной почте.\n\nЧтобы избежать возврата платёжа, подтверждайте его получение только после получения этого фото, если вы не сомневаетесь в подлинности квитанции.\nЕсли вы не уверены, {0}
portfolio.pending.step3_seller.moneyGram=Покупатель обязан отправить вам по электронной почте код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано ваше полное имя, страна (штат) и сумма. Убедитесь, что вы получили код подтверждения по электронной почте.\n\nПосле закрытия этого окна вы увидите имя и адрес покупателя BTC, которые необходимо указать для получения денег от MoneyGram.\n\nПодтвердите получение только после того, как вы успешно заберете деньги!
portfolio.pending.step3_seller.westernUnion=Покупатель обязан отправить вам по электронной почте контрольный номер MTCN и фото квитанции.\nВ квитанции должно быть четко указано ваше полное имя, город, страна и сумма. Убедитесь, что вы получили номер MTCN по электронной почте.\n\nПосле закрытия этого окна вы увидите имя и адрес покупателя BTC, которые необходимо указать для получения денег от Western Union. \n\nПодтвердите получение только после того, как вы успешно заберете деньги!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=Так как оплата осуществляется наличными на счёт, покупатель XMR должен написать \«НЕ ПОДЛЕЖИТ ВОЗВРАТУ\» на квитанции, разорвать её на 2 части и отправить вам её фото по электронной почте.\n\nЧтобы избежать возврата платёжа, подтверждайте его получение только после получения этого фото, если вы не сомневаетесь в подлинности квитанции.\nЕсли вы не уверены, {0}
portfolio.pending.step3_seller.moneyGram=Покупатель обязан отправить вам по электронной почте код подтверждения и фото квитанции.\nВ квитанции должно быть четко указано ваше полное имя, страна (штат) и сумма. Убедитесь, что вы получили код подтверждения по электронной почте.\n\nПосле закрытия этого окна вы увидите имя и адрес покупателя XMR, которые необходимо указать для получения денег от MoneyGram.\n\nПодтвердите получение только после того, как вы успешно заберете деньги!
portfolio.pending.step3_seller.westernUnion=Покупатель обязан отправить вам по электронной почте контрольный номер MTCN и фото квитанции.\nВ квитанции должно быть четко указано ваше полное имя, город, страна и сумма. Убедитесь, что вы получили номер MTCN по электронной почте.\n\nПосле закрытия этого окна вы увидите имя и адрес покупателя XMR, которые необходимо указать для получения денег от Western Union. \n\nПодтвердите получение только после того, как вы успешно заберете деньги!
portfolio.pending.step3_seller.halCash=Покупатель должен отправить вам код HalCash в текстовом сообщении. Кроме того, вы получите сообщение от HalCash с информацией, необходимой для снятия EUR в банкомате, поддерживающем HalCash.\n\nПосле того, как вы заберете деньги из банкомата, подтвердите получение платежа в приложении!
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Вы получили п
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Please also verify that the name of the sender specified on the trade contract matches the name that appears on your bank statement:\nSender''s name, per trade contract: {0}\n\nIf the names are not exactly the same, don''t confirm payment receipt. Instead, open a dispute by pressing \"alt + o\" or \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the BTC buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the XMR buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Подтвердите получение платежа
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Да, я получил (-а) платёж
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANT: By confirming receipt of payment, you are also verifying the account of the counterparty and signing it accordingly. Since the account of the counterparty hasn't been signed yet, you should delay confirmation of the payment as long as possible to reduce the risk of a chargeback.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Комиссия за сделку
portfolio.pending.step5_buyer.makersMiningFee=Комиссия майнера
portfolio.pending.step5_buyer.takersMiningFee=Oбщая комиссия майнера
portfolio.pending.step5_buyer.refunded=Сумма возмещённого залога
portfolio.pending.step5_buyer.withdrawBTC=Вывести биткойны
portfolio.pending.step5_buyer.withdrawXMR=Вывести биткойны
portfolio.pending.step5_buyer.amount=Сумма для вывода
portfolio.pending.step5_buyer.withdrawToAddress=Вывести на адрес
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=You've already accepted
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -890,7 +890,7 @@ funds.tx.revert=Отменить
funds.tx.txSent=Транзакция успешно отправлена на новый адрес локального кошелька Haveno.
funds.tx.direction.self=Транзакция внутри кошелька
funds.tx.dustAttackTx=Полученная «пыль»
funds.tx.dustAttackTx.popup=Вы получили очень маленькую сумму BTC, что может являться попыткой компаний, занимающихся анализом блокчейна, проследить за вашим кошельком.\n\nЕсли вы воспользуетесь этими средствами для совершения исходящей транзакции, они смогут узнать, что вы также являетесь вероятным владельцем другого адреса (т. н. «объединение монет»).\n\nДля защиты вашей конфиденциальности кошелёк Haveno игнорирует такую «пыль» при совершении исходящих транзакций и отображении баланса. Вы можете самостоятельно установить сумму, которая будет рассматриваться в качестве «пыли» в настройках.
funds.tx.dustAttackTx.popup=Вы получили очень маленькую сумму XMR, что может являться попыткой компаний, занимающихся анализом блокчейна, проследить за вашим кошельком.\n\nЕсли вы воспользуетесь этими средствами для совершения исходящей транзакции, они смогут узнать, что вы также являетесь вероятным владельцем другого адреса (т. н. «объединение монет»).\n\nДля защиты вашей конфиденциальности кошелёк Haveno игнорирует такую «пыль» при совершении исходящих транзакций и отображении баланса. Вы можете самостоятельно установить сумму, которая будет рассматриваться в качестве «пыли» в настройках.
####################################################################
# Support
@ -952,9 +952,9 @@ support.process=Process
support.buyerMaker=Покупатель ВТС/мейкер
support.sellerMaker=Продавец ВТС/мейкер
support.buyerTaker=Покупатель ВТС/тейкер
support.sellerTaker=Продавец BTC/тейкер
support.sellerTaker=Продавец XMR/тейкер
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the BTC buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the BTC seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the XMR buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the XMR seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.systemMsg=Системное сообщение: {0}
support.youOpenedTicket=Вы запросили поддержку.\n\n{0}\n\nВерсия Haveno: {1}
support.youOpenedDispute=Вы начали спор.\n\n{0}\n\nВерсия Haveno: {1}
@ -978,13 +978,13 @@ settings.tab.network=Информация о сети
settings.tab.about=О проекте
setting.preferences.general=Основные настройки
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Макс. отклонение от рыночного курса
setting.preferences.avoidStandbyMode=Избегать режима ожидания
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Значения выше {0}% запрещены.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1021,29 +1021,29 @@ settings.preferences.editCustomExplorer.name=Имя
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Сеть Биткойн
settings.net.xmrHeader=Сеть Биткойн
settings.net.p2pHeader=Haveno network
settings.net.onionAddressLabel=Мой onion-адрес
settings.net.xmrNodesLabel=Использовать особые узлы Monero
settings.net.moneroPeersLabel=Подключенные пиры
settings.net.useTorForXmrJLabel=Использовать Tor для сети Monero
settings.net.moneroNodesLabel=Узлы Monero для подключения
settings.net.useProvidedNodesRadio=Использовать предоставленные узлы Bitcoin Core
settings.net.usePublicNodesRadio=Использовать общедоступную сеть Bitcoin
settings.net.useCustomNodesRadio=Использовать особые узлы Bitcoin Core
settings.net.useProvidedNodesRadio=Использовать предоставленные узлы Monero Core
settings.net.usePublicNodesRadio=Использовать общедоступную сеть Monero
settings.net.useCustomNodesRadio=Использовать особые узлы Monero Core
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=Нет, использовать предоставленные узлы
settings.net.warn.usePublicNodes.usePublic=Да, использовать общедоступную сеть
settings.net.warn.useCustomNodes.B2XWarning=Убедитесь, что ваш узел Биткойн является доверенным узлом Bitcoin Core! \n\nПодключение к узлам, не следующим правилам консенсуса Bitcoin Core, может повредить ваш кошелек и вызвать проблемы в процессе торговли.\n\nПользователи, подключающиеся к узлам, нарушающим правила консенсуса, несут ответственность за любой причиненный ущерб. Любые споры в таком случае будут решаться в пользу вашего контрагента. Пользователям, игнорирующим это предупреждение и механизмы защиты, техническая поддержка предоставляться не будет!
settings.net.warn.invalidBtcConfig=Connection to the Bitcoin network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Bitcoin nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Bitcoin node when starting. If it is found, Haveno will communicate with the Bitcoin network exclusively through it.
settings.net.warn.useCustomNodes.B2XWarning=Убедитесь, что ваш узел Биткойн является доверенным узлом Monero Core! \n\nПодключение к узлам, не следующим правилам консенсуса Monero Core, может повредить ваш кошелек и вызвать проблемы в процессе торговли.\n\nПользователи, подключающиеся к узлам, нарушающим правила консенсуса, несут ответственность за любой причиненный ущерб. Любые споры в таком случае будут решаться в пользу вашего контрагента. Пользователям, игнорирующим это предупреждение и механизмы защиты, техническая поддержка предоставляться не будет!
settings.net.warn.invalidXmrConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=Подключенные пиры
settings.net.onionAddressColumn=Onion-адрес
settings.net.creationDateColumn=Создано
settings.net.connectionTypeColumn=Вх./Вых.
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Задержка
settings.net.sentBytesColumn=Отправлено
settings.net.receivedBytesColumn=Получено
@ -1058,7 +1058,7 @@ settings.net.needRestart=Необходимо перезагрузить при
settings.net.notKnownYet=Пока неизвестно...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[IP-адрес:порт | хост:порт | onion-адрес:порт] (через запятые). Порт можно не указывать, если используется порт по умолчанию (8333).
settings.net.seedNode=Исходный узел
settings.net.directPeer=Пир (прямой)
@ -1104,7 +1104,7 @@ setting.about.shortcuts.openDispute.value=Select pending trade and click: {0}
setting.about.shortcuts.walletDetails=Open wallet details window
setting.about.shortcuts.openEmergencyBtcWalletTool=Open emergency wallet tool for BTC wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.showTorLogs=Toggle log level for Tor messages between DEBUG and WARN
@ -1130,7 +1130,7 @@ setting.about.shortcuts.sendPrivateNotification=Send private notification to pee
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1139,7 +1139,7 @@ account.tab.mediatorRegistration=Mediator registration
account.tab.refundAgentRegistration=Refund agent registration
account.tab.signing=Signing
account.info.headline=Добро пожаловать в ваш счёт Haveno
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Bitcoin wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Bitcoin wallet seed words (see tab on the top) and consider adding a password before funding. Bitcoin deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Bitcoin addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Monero wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Monero wallet seed words (see tab on the top) and consider adding a password before funding. Monero deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Monero addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.menu.paymentAccount=Счета в нац. валюте
account.menu.altCoinsAccountView=Альткойн-счета
@ -1150,7 +1150,7 @@ account.menu.backup=Резервное копирование
account.menu.notifications=Уведомления
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1207,7 +1207,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Trading L-BTC on Haveno requires that you understand the following:\n\nWhen receiving L-BTC for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-BTC into the Liquid Elements Core wallet, or another L-BTC wallet which allows you to obtain the blinding key for your blinded L-BTC address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-BTC address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-BTC receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-BTC on Haveno.
account.crypto.popup.liquidmonero.msg=Trading L-XMR on Haveno requires that you understand the following:\n\nWhen receiving L-XMR for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-XMR into the Liquid Elements Core wallet, or another L-XMR wallet which allows you to obtain the blinding key for your blinded L-XMR address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-XMR address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-XMR receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-XMR on Haveno.
account.traditional.yourTraditionalAccounts=Ваши счета в нац. валюте
@ -1228,7 +1228,7 @@ account.password.setPw.headline=Установить пароль для защ
account.password.info=При включенной защите паролем, вам потребуется вводить пароль при запуске приложения, при выводе монеро из вашего кошелька и при отображении ваших сидовых слов.
account.seed.backup.title=Сохраните мнемоническую фразу для вашего кошелька
account.seed.info=Запишите мнемоническую фразу для кошелька и дату создания его! Используя эти данные, вы сможете восстановить ваш кошелёк когда угодно.\nДля обоих кошельков, BTC и BSQ, используется одна и та же мнемоническая фраза.\n\nВам следует записать её на бумаге и не хранить на компьютере.\n\nМнемоническая фраза НЕ заменяет резервную копию.\nВам следует сделать резервную копию всего каталога приложения в разделе \«Счёт/Резервное копирование\» для восстановления состояния приложения и данных.\nИмпорт мнемонической фразы рекомендуется только в экстренных случаях. Приложение не будет функционировать должным образом без наличия резервной копии файлов базы данных и ключей!
account.seed.info=Запишите мнемоническую фразу для кошелька и дату создания его! Используя эти данные, вы сможете восстановить ваш кошелёк когда угодно.\nДля обоих кошельков, XMR и BSQ, используется одна и та же мнемоническая фраза.\n\nВам следует записать её на бумаге и не хранить на компьютере.\n\nМнемоническая фраза НЕ заменяет резервную копию.\nВам следует сделать резервную копию всего каталога приложения в разделе \«Счёт/Резервное копирование\» для восстановления состояния приложения и данных.\nИмпорт мнемонической фразы рекомендуется только в экстренных случаях. Приложение не будет функционировать должным образом без наличия резервной копии файлов базы данных и ключей!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Вы не установили пароль от кошелька для защиты мнемонической фразы.\n\nОтобразить мнемоническую фразу на экране?
account.seed.warn.noPw.yes=Да и не спрашивать снова
@ -1258,13 +1258,13 @@ account.notifications.trade.label=Получать сообщения по сд
account.notifications.market.label=Получать оповещения о предложении
account.notifications.price.label=Получать оповещения о курсе
account.notifications.priceAlert.title=Оповещения о курсе
account.notifications.priceAlert.high.label=Уведомить, если курс BTC выше
account.notifications.priceAlert.low.label=Уведомить, если курс BTC ниже
account.notifications.priceAlert.high.label=Уведомить, если курс XMR выше
account.notifications.priceAlert.low.label=Уведомить, если курс XMR ниже
account.notifications.priceAlert.setButton=Установить оповещение о курсе
account.notifications.priceAlert.removeButton=Удалить оповещение о курсе
account.notifications.trade.message.title=Состояние сделки изменилось
account.notifications.trade.message.msg.conf=Депозит по сделке с идентификатором {0} внесен. Откройте приложение Haveno и начните платеж.
account.notifications.trade.message.msg.started=Покупатель BTC начал платеж по сделке с идентификатором {0}.
account.notifications.trade.message.msg.started=Покупатель XMR начал платеж по сделке с идентификатором {0}.
account.notifications.trade.message.msg.completed=Сделка с идентификатором {0} завершена.
account.notifications.offer.message.title=Ваше предложение было принято
account.notifications.offer.message.msg=Ваше предложение с идентификатором {0} было принято
@ -1274,10 +1274,10 @@ account.notifications.dispute.message.msg=Получено сообщение п
account.notifications.marketAlert.title=Оповещения о предложении
account.notifications.marketAlert.selectPaymentAccount=Предложения, соответствующие платежному счету
account.notifications.marketAlert.offerType.label=Интересующий тип предложения
account.notifications.marketAlert.offerType.buy=Предложения купить (хочу продать BTC)
account.notifications.marketAlert.offerType.sell=Предложения продать (хочу купить BTC)
account.notifications.marketAlert.offerType.buy=Предложения купить (хочу продать XMR)
account.notifications.marketAlert.offerType.sell=Предложения продать (хочу купить XMR)
account.notifications.marketAlert.trigger=Отклонение предложения от курса (%)
account.notifications.marketAlert.trigger.info=Если задано отклонение от курса, вы получите оповещение только при публикации предложения, соответствующего вашим требованиям (или превышающего их). Например: вы хотите продать BTC, но только с надбавкой 2% к текущему рыночному курсу. Указав 2% в этом поле, вы получите оповещение только о предложениях с курсом, превышающим текущий рыночный курс на 2% (или более).
account.notifications.marketAlert.trigger.info=Если задано отклонение от курса, вы получите оповещение только при публикации предложения, соответствующего вашим требованиям (или превышающего их). Например: вы хотите продать XMR, но только с надбавкой 2% к текущему рыночному курсу. Указав 2% в этом поле, вы получите оповещение только о предложениях с курсом, превышающим текущий рыночный курс на 2% (или более).
account.notifications.marketAlert.trigger.prompt=Отклонение в процентах от рыночного курса (напр., 2,50%, -0,50% и т. д.)
account.notifications.marketAlert.addButton=Добавить оповещение о предложении
account.notifications.marketAlert.manageAlertsButton=Управление оповещениями о предложениях
@ -1304,10 +1304,10 @@ inputControlWindow.balanceLabel=Доступный баланс
contractWindow.title=Подробности спора
contractWindow.dates=Дата предложения / Дата сделки
contractWindow.btcAddresses=Биткойн-адрес покупателя BTC / продавца BTC
contractWindow.onions=Сетевой адрес покупателя BTC / продавца BTC
contractWindow.accountAge=Возраст счёта (покупатель/продавец BTC)
contractWindow.numDisputes=Кол-во споров покупателя BTC / продавца BTC
contractWindow.xmrAddresses=Биткойн-адрес покупателя XMR / продавца XMR
contractWindow.onions=Сетевой адрес покупателя XMR / продавца XMR
contractWindow.accountAge=Возраст счёта (покупатель/продавец XMR)
contractWindow.numDisputes=Кол-во споров покупателя XMR / продавца XMR
contractWindow.contractHash=Хеш контракта
displayAlertMessageWindow.headline=Важная информация!
@ -1333,8 +1333,8 @@ disputeSummaryWindow.title=Сводка
disputeSummaryWindow.openDate=Дата обращения за поддержкой
disputeSummaryWindow.role=Роль трейдера
disputeSummaryWindow.payout=Выплата суммы сделки
disputeSummaryWindow.payout.getsTradeAmount={0} BTC получит выплату суммы сделки
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount={0} XMR получит выплату суммы сделки
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Пользовательская выплата
disputeSummaryWindow.payoutAmount.buyer=Сумма выплаты покупателя
disputeSummaryWindow.payoutAmount.seller=Сумма выплаты продавца
@ -1376,7 +1376,7 @@ disputeSummaryWindow.close.button=Закрыть обращение
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1426,11 +1426,11 @@ filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addre
filterWindow.disableTradeBelowVersion=Мин. версия, необходимая для торговли
filterWindow.add=Добавить фильтр
filterWindow.remove=Удалить фильтр
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Мин. количество BTC
offerDetailsWindow.minXmrAmount=Мин. количество XMR
offerDetailsWindow.min=(мин. {0})
offerDetailsWindow.distance=(отклонение от рыночного курса: {0})
offerDetailsWindow.myTradingAccount=Мой торговый счёт
@ -1495,7 +1495,7 @@ tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1505,7 +1505,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Введите пароль для разблокировки
@ -1531,12 +1531,12 @@ torNetworkSettingWindow.bridges.header=Tor сеть заблокирована?
torNetworkSettingWindow.bridges.info=Если Tor заблокирован вашим интернет-провайдером или правительством, попробуйте использовать мосты Tor.\nПосетите веб-страницу Tor по адресу: https://bridges.torproject.org/bridges, чтобы узнать больше о мостах и подключаемых транспортных протоколах.
feeOptionWindow.headline=Выберите валюту для оплаты торгового сбора
feeOptionWindow.info=Вы можете оплатить комиссию за сделку в BSQ или BTC. Если вы выберите BSQ, то сумма комиссии будет ниже.
feeOptionWindow.info=Вы можете оплатить комиссию за сделку в BSQ или XMR. Если вы выберите BSQ, то сумма комиссии будет ниже.
feeOptionWindow.optionsLabel=Выберите валюту для оплаты комиссии за сделку
feeOptionWindow.useBTC=Использовать ВТС
feeOptionWindow.useXMR=Использовать ВТС
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1578,9 +1578,9 @@ popup.warning.noTradingAccountSetup.msg=Перед созданием предл
popup.warning.noArbitratorsAvailable=Нет доступных арбитров.
popup.warning.noMediatorsAvailable=There are no mediators available.
popup.warning.notFullyConnected=Необходимо дождаться полного подключения к сети.\nОно может занять до 2 минут.
popup.warning.notSufficientConnectionsToBtcNetwork=Необходимо дождаться не менее {0} соединений с сетью Биткойн.
popup.warning.notSufficientConnectionsToXmrNetwork=Необходимо дождаться не менее {0} соединений с сетью Биткойн.
popup.warning.downloadNotComplete=Необходимо дождаться завершения загрузки недостающих блоков сети Биткойн.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Действительно хотите удалить это предложение?
popup.warning.tooLargePercentageValue=Нельзя установить процент в размере 100% или выше.
popup.warning.examplePercentageValue=Введите процент, например \«5,4\» для 5,4%
@ -1600,13 +1600,13 @@ popup.warning.priceRelay=ретранслятор курса
popup.warning.seed=мнемоническая фраза
popup.warning.mandatoryUpdate.trading=Обновите Haveno до последней версии. Вышло обязательное обновление, которое делает невозможной торговлю в старых версиях приложения. Посетите форум Haveno, чтобы узнать подробности.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=Данную транзакцию невозможно завершить, так как плата за нее ({0}) превышает сумму перевода ({1}). Подождите, пока плата за транзакцию не снизится или пока у вас не появится больше BTC для завершения перевода.
popup.warning.burnXMR=Данную транзакцию невозможно завершить, так как плата за нее ({0}) превышает сумму перевода ({1}). Подождите, пока плата за транзакцию не снизится или пока у вас не появится больше XMR для завершения перевода.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Bitcoin network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Monero network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected.tradeFee=trade fee
popup.warning.trade.txRejected.deposit=deposit
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=The maker fee transaction for offer with ID {0} is invalid.\nTransaction ID={1}.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
@ -1695,7 +1695,7 @@ systemTray.show=Показать окно приложения
systemTray.hide=Скрыть окно приложения
systemTray.info=Информация о Haveno
systemTray.exit=Выход
systemTray.tooltip=Haveno: A decentralized bitcoin exchange network
systemTray.tooltip=Haveno: A decentralized monero exchange network
####################################################################
@ -1851,7 +1851,7 @@ seed.date=Дата создания кошелька
seed.restore.title=Восстановить кошельки с помощью мнемонической фразы
seed.restore=Восстановить кошельки
seed.creationDate=Дата создания
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Всё равно хочу восстановить
seed.warn.walletNotEmpty.emptyWallet=Вывести все средства с моих кошельков
seed.warn.notEncryptedAnymore=Ваши кошельки зашифрованы.\n\nПосле восстановления кошельки больше не будут зашифрованы, и вам потребуется установить новый пароль.\n\nПродолжить?
@ -1942,12 +1942,12 @@ payment.checking=Текущий
payment.savings=Сберегательный
payment.personalId=Личный идентификатор
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Используя HalCash, покупатель BTC обязуется отправить продавцу BTC код HalCash через СМС с мобильного телефона.\n\nУбедитесь, что не вы не превысили максимальную сумму, которую ваш банк позволяет отправить с HalCash. Минимальная сумма на вывод средств составляет 10 EUR, а и максимальная — 600 EUR. При повторном выводе средств лимит составляет 3000 EUR на получателя в день и 6000 EUR на получателя в месяц. Просьба сверить эти лимиты с вашим банком и убедиться, что лимиты банка соответствуют лимитам, указанным здесь.\n\nВыводимая сумма должна быть кратна 10 EUR, так как другие суммы снять из банкомата невозможно. Приложение само отрегулирует сумму BTC, чтобы она соответствовала сумме в EUR, во время создания или принятия предложения. Вы не сможете использовать текущий рыночный курс, так как сумма в EUR будет меняться с изменением курса.\n\nВ случае спора покупателю BTC необходимо предоставить доказательство отправки EUR.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Используя HalCash, покупатель XMR обязуется отправить продавцу XMR код HalCash через СМС с мобильного телефона.\n\nУбедитесь, что не вы не превысили максимальную сумму, которую ваш банк позволяет отправить с HalCash. Минимальная сумма на вывод средств составляет 10 EUR, а и максимальная — 600 EUR. При повторном выводе средств лимит составляет 3000 EUR на получателя в день и 6000 EUR на получателя в месяц. Просьба сверить эти лимиты с вашим банком и убедиться, что лимиты банка соответствуют лимитам, указанным здесь.\n\nВыводимая сумма должна быть кратна 10 EUR, так как другие суммы снять из банкомата невозможно. Приложение само отрегулирует сумму XMR, чтобы она соответствовала сумме в EUR, во время создания или принятия предложения. Вы не сможете использовать текущий рыночный курс, так как сумма в EUR будет меняться с изменением курса.\n\nВ случае спора покупателю XMR необходимо предоставить доказательство отправки EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1963,7 +1963,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=Контактная информация
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1974,7 +1974,7 @@ payment.f2f.city.prompt=Город будет указан в предложен
payment.shared.optionalExtra=Дополнительная необязательная информация
payment.shared.extraInfo=Дополнительная информация
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Открыть веб-страницу
payment.f2f.offerbook.tooltip.countryAndCity=Country and city: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Дополнительная информация: {0}
@ -1986,7 +1986,7 @@ payment.japan.recipient=Имя
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2144,7 +2144,7 @@ validation.zero=Введённое значение не может быть р
validation.negative=Отрицательное значение недопустимо.
validation.traditional.tooSmall=Ввод значения меньше минимально возможного не допускается.
validation.traditional.tooLarge=Ввод значения больше максимально возможного не допускается.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=Значение не может превышать {0}.
validation.xmr.tooSmall=Значение не может быть меньше {0}.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2154,10 +2154,10 @@ validation.sortCodeChars={0} должен состоять из {1} символ
validation.bankIdNumber={0} должен состоять из {1} цифр.
validation.accountNr=Номер счёта должен состоять из {0} цифр.
validation.accountNrChars=Номер счёта должен состоять из {0} символов.
validation.btc.invalidAddress=Неправильный адрес. Проверьте формат адреса.
validation.xmr.invalidAddress=Неправильный адрес. Проверьте формат адреса.
validation.integerOnly=Введите только целые числа.
validation.inputError=Введённое значение вызвало ошибку:\n{0}
validation.btc.exceedsMaxTradeLimit=Ваш торговый лимит составляет {0}.
validation.xmr.exceedsMaxTradeLimit=Ваш торговый лимит составляет {0}.
validation.nationalAccountId={0} должен состоять из {1} цифр.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=ฉันเข้าใจ
shared.na=ไม่พร้อมใช้งาน
shared.shutDown=ปิดใช้งาน
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=ซื้อ bitcoin (บิตคอยน์)
shared.sellBitcoin=ขาย bitcoin (บิตคอยน์)
shared.buyMonero=ซื้อ monero (บิตคอยน์)
shared.sellMonero=ขาย monero (บิตคอยน์)
shared.buyCurrency=ซื้อ {0}
shared.sellCurrency=ขาย {0}
shared.buyingBTCWith=การซื้อ BTC กับ {0}
shared.sellingBTCFor=การขาย BTC แก่ {0}
shared.buyingCurrency=การซื้อ {0} (การขาย BTC)
shared.sellingCurrency=การขาย {0} (การซื้อ BTC)
shared.buyingXMRWith=การซื้อ XMR กับ {0}
shared.sellingXMRFor=การขาย XMR แก่ {0}
shared.buyingCurrency=การซื้อ {0} (การขาย XMR)
shared.sellingCurrency=การขาย {0} (การซื้อ XMR)
shared.buy=ซื้อ
shared.sell=ขาย
shared.buying=การซื้อ
@ -93,7 +93,7 @@ shared.amountMinMax=ยอดจำนวน (ต่ำสุด-สูงสุ
shared.amountHelp=หากข้อเสนอนั้นถูกจัดอยู่ในระดับเซ็ทขั้นต่ำและสูงสุด คุณสามารถซื้อขายได้ทุกช่วงระดับของจำนวนที่มีอยู่
shared.remove=ลบออก
shared.goTo=ไปที่ {0}
shared.BTCMinMax=BTC (ต่ำสุด-สูงสุด)
shared.XMRMinMax=XMR (ต่ำสุด-สูงสุด)
shared.removeOffer=ลบข้อเสนอ
shared.dontRemoveOffer=ห้ามลบข้อเสนอ
shared.editOffer=แก้ไขข้อเสนอ
@ -105,14 +105,14 @@ shared.nextStep=ขั้นถัดไป
shared.selectTradingAccount=เลือกบัญชีการซื้อขาย
shared.fundFromSavingsWalletButton=โอนเงินจาก Haveno wallet
shared.fundFromExternalWalletButton=เริ่มทำการระดมเงินทุนหาแหล่งเงินจากกระเป๋าสตางค์ภายนอกของคุณ
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=ต่ำกว่า % จากราคาตลาด
shared.aboveInPercent=สูงกว่า % จากราคาตาด
shared.enterPercentageValue=เข้าสู่ % ตามมูลค่า
shared.OR=หรือ
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=กำลังรอเงิน ...
shared.TheBTCBuyer=ผู้ซื้อ BTC
shared.TheXMRBuyer=ผู้ซื้อ XMR
shared.You=คุณ
shared.sendingConfirmation=กำลังส่งการยืนยัน ...
shared.sendingConfirmationAgain=โปรดยืนยันการส่งอีกครั้ง
@ -125,7 +125,7 @@ shared.notUsedYet=ยังไม่ได้ใช้งาน
shared.date=วันที่
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=คัดลอกไปที่คลิปบอร์ด
shared.language=ภาษา
shared.country=ประเทศ
@ -169,7 +169,7 @@ shared.payoutTxId=ID ธุรกรรมการชำระเงิน
shared.contractAsJson=สัญญาในรูปแบบ JSON
shared.viewContractAsJson=ดูสัญญาในรูปแบบ JSON:
shared.contract.title=สัญญาการซื้อขายด้วยรหัส ID: {0}
shared.paymentDetails=BTC {0} รายละเอียดการชำระเงิน
shared.paymentDetails=XMR {0} รายละเอียดการชำระเงิน
shared.securityDeposit=เงินประกัน
shared.yourSecurityDeposit=เงินประกันของคุณ
shared.contract=สัญญา
@ -179,7 +179,7 @@ shared.messageSendingFailed=การส่งข้อความล้มเ
shared.unlock=ปลดล็อค
shared.toReceive=รับ
shared.toSpend=จ่าย
shared.btcAmount=BTC ยอดจำนวน
shared.xmrAmount=XMR ยอดจำนวน
shared.yourLanguage=ภาษาของคุณ
shared.addLanguage=เพิ่มภาษา
shared.total=ยอดทั้งหมด
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=ตลาด
mainView.menu.buyBtc=ซื้อ BTC
mainView.menu.sellBtc=ขาย BTC
mainView.menu.buyXmr=ซื้อ XMR
mainView.menu.sellXmr=ขาย XMR
mainView.menu.portfolio=แฟ้มผลงาน
mainView.menu.funds=เงิน
mainView.menu.support=สนับสนุน
@ -245,10 +245,10 @@ mainView.balance.reserved.short=จองแล้ว
mainView.balance.pending.short=ถูกล็อคไว้
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(แม่ข่ายเฉพาะที่)
mainView.footer.localhostMoneroNode=(แม่ข่ายเฉพาะที่)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connecting to Bitcoin network
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Connecting to Monero network
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
mainView.footer.xmrInfo.connectingTo=Connecting to
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Bootstrapping to Haveno netwo
mainView.p2pNetworkWarnMsg.noNodesAvailable=ไม่มีแหล่งข้อมูลในโหนดเครือข่ายและ peers (ระบบเพียร์) พร้อมให้บริการสำหรับการขอข้อมูล\nโปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของคุณหรือลองรีสตาร์ทแอพพลิเคชัน
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Connecting to the Haveno network failed (reported error: {0}).\nPlease check your internet connection or try to restart the application.
mainView.walletServiceErrorMsg.timeout=การเชื่อมต่อกับเครือข่าย Bitcoin ล้มเหลวเนื่องจากหมดเวลา
mainView.walletServiceErrorMsg.connectionError=การเชื่อมต่อกับเครือข่าย Bitcoin ล้มเหลวเนื่องจากข้อผิดพลาด: {0}
mainView.walletServiceErrorMsg.timeout=การเชื่อมต่อกับเครือข่าย Monero ล้มเหลวเนื่องจากหมดเวลา
mainView.walletServiceErrorMsg.connectionError=การเชื่อมต่อกับเครือข่าย Monero ล้มเหลวเนื่องจากข้อผิดพลาด: {0}
mainView.walletServiceErrorMsg.rejectedTxException=A transaction was rejected from the network.\n\n{0}
mainView.networkWarning.allConnectionsLost=คุณสูญเสียการเชื่อมต่อกับ {0} เครือข่าย peers\nบางทีคุณอาจขาดการเชื่อมต่ออินเทอร์เน็ตหรืออาจเป็นเพราะคอมพิวเตอร์ของคุณอยู่ในโหมดสแตนด์บาย
mainView.networkWarning.localhostBitcoinLost=คุณสูญเสียการเชื่อมต่อไปยังโหนดเครือข่าย Bitcoin localhost (แม่ข่ายเฉพาะที่)\nโปรดรีสตาร์ทแอ็พพลิเคชัน Haveno เพื่อเชื่อมต่อโหนด Bitcoin อื่นหรือรีสตาร์ทโหนด Bitcoin localhost
mainView.networkWarning.localhostMoneroLost=คุณสูญเสียการเชื่อมต่อไปยังโหนดเครือข่าย Monero localhost (แม่ข่ายเฉพาะที่)\nโปรดรีสตาร์ทแอ็พพลิเคชัน Haveno เพื่อเชื่อมต่อโหนด Monero อื่นหรือรีสตาร์ทโหนด Monero localhost
mainView.version.update=(การอัพเดตพร้อมใช้งาน)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=ซื้อ {0}
market.offerBook.sellWithTraditional=ขาย {0}
market.offerBook.sellOffersHeaderLabel=ขาย {0} ไปยัง
market.offerBook.buyOffersHeaderLabel=ซื้อ {0} จาก
market.offerBook.buy=ฉันต้องการจะซื้อ bitcoin
market.offerBook.sell=ฉันต้องการจะขาย bitcoin
market.offerBook.buy=ฉันต้องการจะซื้อ monero
market.offerBook.sell=ฉันต้องการจะขาย monero
# SpreadView
market.spread.numberOfOffersColumn=ข้อเสนอทั้งหมด ({0})
market.spread.numberOfBuyOffersColumn=ซื้อ BTC ({0})
market.spread.numberOfSellOffersColumn=ขาย BTC ({0})
market.spread.totalAmountColumn=ยอด BTC ทั้งหมด ({0})
market.spread.numberOfBuyOffersColumn=ซื้อ XMR ({0})
market.spread.numberOfSellOffersColumn=ขาย XMR ({0})
market.spread.totalAmountColumn=ยอด XMR ทั้งหมด ({0})
market.spread.spreadColumn=กระจาย
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=No. ของข้อเสนอ: {0}
offerbook.volume={0} (ต่ำสุด - สูงสุด)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Create new offer to buy {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=จำนวนเงินจะปัดเ
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=ป้อนจำนวนเงินใน BTC
createOffer.amount.prompt=ป้อนจำนวนเงินใน XMR
createOffer.price.prompt=ป้อนราคา
createOffer.volume.prompt=ป้อนจำนวนเงินใน {0}
createOffer.amountPriceBox.amountDescription=ยอดจำนวน BTC ถึง {0}
createOffer.amountPriceBox.amountDescription=ยอดจำนวน XMR ถึง {0}
createOffer.amountPriceBox.buy.volumeDescription=ยอดจำนวน {0} ที่ต้องจ่าย
createOffer.amountPriceBox.sell.volumeDescription=จำนวนเงิน {0} ที่ได้รับ
createOffer.amountPriceBox.minAmountDescription=จำนวนเงินขั้นต่ำของ BTC
createOffer.amountPriceBox.minAmountDescription=จำนวนเงินขั้นต่ำของ XMR
createOffer.securityDeposit.prompt=เงินประกัน
createOffer.fundsBox.title=เงินทุนสำหรับข้อเสนอของคุณ
createOffer.fundsBox.offerFee=ค่าธรรมเนียมการซื้อขาย
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=คุณจะได้รับ {0}% ม
createOffer.info.buyBelowMarketPrice=คุณจะจ่าย {0}% น้อยกว่าราคาตลาดในปัจจุบันเนื่องจากราคาข้อเสนอของคุณจะได้รับการอัพเดตอย่างต่อเนื่อง
createOffer.warning.sellBelowMarketPrice=คุณจะได้รับ {0}% น้อยกว่าราคาตลาดในปัจจุบันเนื่องจากราคาข้อเสนอของคุณจะได้รับการอัพเดตอย่างต่อเนื่อง
createOffer.warning.buyAboveMarketPrice=คุณจะต้องจ่ายเงิน {0}% มากกว่าราคาตลาดในปัจจุบันเนื่องจากราคาข้อเสนอของคุณจะได้รับการอัพเดตอย่างต่อเนื่อง
createOffer.tradeFee.descriptionBTCOnly=ค่าธรรมเนียมการซื้อขาย
createOffer.tradeFee.descriptionXMROnly=ค่าธรรมเนียมการซื้อขาย
createOffer.tradeFee.descriptionBSQEnabled=เลือกสกุลเงินค่าธรรมเนียมในการเทรด
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Min. buyer security deposit is used
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=ป้อนจำนวนเงินใน BTC
takeOffer.amountPriceBox.buy.amountDescription=จำนวน BTC ที่จะขาย
takeOffer.amountPriceBox.sell.amountDescription=จำนวน BTC ที่จะซื้อ
takeOffer.amountPriceBox.priceDescription=ราคาต่อ bitcoin ใน {0}
takeOffer.amount.prompt=ป้อนจำนวนเงินใน XMR
takeOffer.amountPriceBox.buy.amountDescription=จำนวน XMR ที่จะขาย
takeOffer.amountPriceBox.sell.amountDescription=จำนวน XMR ที่จะซื้อ
takeOffer.amountPriceBox.priceDescription=ราคาต่อ monero ใน {0}
takeOffer.amountPriceBox.amountRangeDescription=ช่วงจำนวนที่เป็นไปได้
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=จำนวนเงินที่คุณป้อนเกินจำนวนตำแหน่งทศนิยมที่อนุญาต\nจำนวนเงินได้รับการปรับเป็นตำแหน่งทศนิยม 4 ตำแหน่ง
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=จำนวนเงินที่คุณป้อนเกินจำนวนตำแหน่งทศนิยมที่อนุญาต\nจำนวนเงินได้รับการปรับเป็นตำแหน่งทศนิยม 4 ตำแหน่ง
takeOffer.validation.amountSmallerThanMinAmount=จำนวนเงินต้องไม่น้อยกว่าจำนวนเงินขั้นต่ำที่ระบุไว้ในข้อเสนอ
takeOffer.validation.amountLargerThanOfferAmount=จำนวนเงินที่ป้อนต้องไม่สูงกว่าจำนวนที่กำหนดไว้ในข้อเสนอ
takeOffer.validation.amountLargerThanOfferAmountMinusFee=จำนวนเงินที่ป้อนจะสร้างการเปลี่ยนแปลง dust (Bitcoin ที่มีขนาดเล็กมาก) สำหรับผู้ขาย BTC
takeOffer.validation.amountLargerThanOfferAmountMinusFee=จำนวนเงินที่ป้อนจะสร้างการเปลี่ยนแปลง dust (Monero ที่มีขนาดเล็กมาก) สำหรับผู้ขาย XMR
takeOffer.fundsBox.title=ทุนการซื้อขายของคุณ
takeOffer.fundsBox.isOfferAvailable=ตรวจสอบว่ามีข้อเสนออื่นๆหรือไม่ ...
takeOffer.fundsBox.tradeAmount=จำนวนที่จะขาย
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=The deposit transaction is still not conf
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=โปรดโอนจาก wallet {0} ภายนอก\n{1} ให้กับผู้ขาย BTC\n\n
portfolio.pending.step2_buyer.crypto=โปรดโอนจาก wallet {0} ภายนอก\n{1} ให้กับผู้ขาย XMR\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=โปรดไปที่ธนาคารและจ่ายเงิน {0} ให้กับผู้ขาย BTC\n
portfolio.pending.step2_buyer.cash.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้เขียนลงในใบเสร็จรับเงิน: NO REFUNDS (ไม่มีการคืนเงิน)\nจากนั้นแบ่งออกเป็น 2 ส่วนถ่ายรูปและส่งไปที่ที่อยู่อีเมลของผู้ขาย BTC
portfolio.pending.step2_buyer.cash=โปรดไปที่ธนาคารและจ่ายเงิน {0} ให้กับผู้ขาย XMR\n
portfolio.pending.step2_buyer.cash.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้เขียนลงในใบเสร็จรับเงิน: NO REFUNDS (ไม่มีการคืนเงิน)\nจากนั้นแบ่งออกเป็น 2 ส่วนถ่ายรูปและส่งไปที่ที่อยู่อีเมลของผู้ขาย XMR
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=โปรดชำระเงิน {0} ให้กับผู้ขาย BTC โดยใช้ MoneyGram\n
portfolio.pending.step2_buyer.moneyGram.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้ส่งหมายเลข Authorization (การอนุมัติ) และรูปใบเสร็จรับเงินไปยังผู้ขาย BTC ทางอีเมล\nใบเสร็จจะต้องแสดงชื่อเต็มของผู้ขาย ประเทศ รัฐ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0}.
portfolio.pending.step2_buyer.moneyGram=โปรดชำระเงิน {0} ให้กับผู้ขาย XMR โดยใช้ MoneyGram\n
portfolio.pending.step2_buyer.moneyGram.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้ส่งหมายเลข Authorization (การอนุมัติ) และรูปใบเสร็จรับเงินไปยังผู้ขาย XMR ทางอีเมล\nใบเสร็จจะต้องแสดงชื่อเต็มของผู้ขาย ประเทศ รัฐ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=โปรดชำระเงิน {0} ให้กับผู้ขาย BTC โดยใช้ Western Union
portfolio.pending.step2_buyer.westernUnion.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้ส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินไปยังผู้ขาย BTC ทางอีเมล\nใบเสร็จจะต้องแสดงชื่อเต็ม เมือง ประเทศ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0}
portfolio.pending.step2_buyer.westernUnion=โปรดชำระเงิน {0} ให้กับผู้ขาย XMR โดยใช้ Western Union
portfolio.pending.step2_buyer.westernUnion.extra=ข้อกำหนดที่สำคัญ: \nหลังจากที่คุณได้ชำระเงินแล้วให้ส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินไปยังผู้ขาย XMR ทางอีเมล\nใบเสร็จจะต้องแสดงชื่อเต็ม เมือง ประเทศ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0}
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=โปรดส่ง {0} โดยธนาณัติ \"US Postal Money Order \" ไปยังผู้ขาย BTC\n
portfolio.pending.step2_buyer.postal=โปรดส่ง {0} โดยธนาณัติ \"US Postal Money Order \" ไปยังผู้ขาย XMR\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=กรุณาติดต่อผู้ขายของ BTC ตามรายชื่อที่ได้รับและนัดประชุมเพื่อจ่ายเงิน {0}\n\n
portfolio.pending.step2_buyer.f2f=กรุณาติดต่อผู้ขายของ XMR ตามรายชื่อที่ได้รับและนัดประชุมเพื่อจ่ายเงิน {0}\n\n
portfolio.pending.step2_buyer.startPaymentUsing=เริ่มต้นการชำระเงินโดยใช้ {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=จำนวนเงินที่จะโอน
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=บัญชีการชำระ
portfolio.pending.step2_buyer.paymentSent=การชำระเงินเริ่มต้นแล้ว
portfolio.pending.step2_buyer.warn=You still have not done your {0} payment!\nPlease note that the trade has to be completed by {1}.
portfolio.pending.step2_buyer.openForDispute=You have not completed your payment!\nThe max. period for the trade has elapsed.Please contact the mediator for assistance.
portfolio.pending.step2_buyer.paperReceipt.headline=คุณได้ส่งใบเสร็จรับเงินให้กับผู้ขาย BTC หรือไม่?
portfolio.pending.step2_buyer.paperReceipt.msg=ข้อควรจำ: \nคุณต้องเขียนลงในใบเสร็จรับเงิน: NO REFUNDS (ไม่มีการคืนเงิน)\nจากนั้นแบ่งออกเป็น 2 ส่วนถ่ายรูปและส่งไปที่ที่อยู่อีเมลของผู้ขาย BTC
portfolio.pending.step2_buyer.paperReceipt.headline=คุณได้ส่งใบเสร็จรับเงินให้กับผู้ขาย XMR หรือไม่?
portfolio.pending.step2_buyer.paperReceipt.msg=ข้อควรจำ: \nคุณต้องเขียนลงในใบเสร็จรับเงิน: NO REFUNDS (ไม่มีการคืนเงิน)\nจากนั้นแบ่งออกเป็น 2 ส่วนถ่ายรูปและส่งไปที่ที่อยู่อีเมลของผู้ขาย XMR
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=ส่งหมายเลขการอนุมัติและใบเสร็จรับเงิน
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=คุณต้องส่งหมายเลขการอนุมัติและรูปใบเสร็จรับเงินทางอีเมลไปยังผู้ขาย BTC \nใบเสร็จจะต้องแสดงชื่อเต็มของประเทศ รัฐ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0} .\n\nคุณได้ส่งหมายเลขการอนุมัติและทำสัญญากับผู้ขายหรือไม่?\n
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=คุณต้องส่งหมายเลขการอนุมัติและรูปใบเสร็จรับเงินทางอีเมลไปยังผู้ขาย XMR \nใบเสร็จจะต้องแสดงชื่อเต็มของประเทศ รัฐ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0} .\n\nคุณได้ส่งหมายเลขการอนุมัติและทำสัญญากับผู้ขายหรือไม่?\n
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=ส่ง MTCN (หมายเลขติดตาม) และใบเสร็จรับเงิน
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=คุณต้องส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินทางอีเมลไปยังผู้ขาย BTC \nใบเสร็จจะต้องแสดงชื่อเต็ม เมือง ประเทศ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0} .\n\nคุณได้ส่ง MTCN และทำสัญญากับผู้ขายหรือไม่
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=คุณต้องส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินทางอีเมลไปยังผู้ขาย XMR \nใบเสร็จจะต้องแสดงชื่อเต็ม เมือง ประเทศ และจำนวนเงินทั้งหมดของผู้ขาย อีเมลของผู้ขายคือ: {0} .\n\nคุณได้ส่ง MTCN และทำสัญญากับผู้ขายหรือไม่
portfolio.pending.step2_buyer.halCashInfo.headline=ส่งรหัส HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=คุณต้องส่งข้อความที่มีรหัส HalCash พร้อมกับ IDการค้า ({0}) ไปยังผู้ขาย BTC \nเบอร์โทรศัพท์มือถือของผู้ขาย คือ {1}\n\nคุณได้ส่งรหัสให้กับผู้ขายหรือยัง?
portfolio.pending.step2_buyer.halCashInfo.msg=คุณต้องส่งข้อความที่มีรหัส HalCash พร้อมกับ IDการค้า ({0}) ไปยังผู้ขาย XMR \nเบอร์โทรศัพท์มือถือของผู้ขาย คือ {1}\n\nคุณได้ส่งรหัสให้กับผู้ขายหรือยัง?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Some banks might verify the receiver's name. Faster Payments accounts created in old Haveno clients do not provide the receiver's name, so please use trade chat to obtain it (if needed).
portfolio.pending.step2_buyer.confirmStart.headline=ยืนยันว่าคุณได้เริ่มต้นการชำระเงินแล้ว
portfolio.pending.step2_buyer.confirmStart.msg=คุณได้เริ่มต้นการ {0} การชำระเงินให้กับคู่ค้าของคุณแล้วหรือยัง
portfolio.pending.step2_buyer.confirmStart.yes=ใช่ฉันได้เริ่มต้นการชำระเงินแล้ว
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=รอการชำระเงิน
portfolio.pending.step2_seller.f2fInfo.headline=ข้อมูลการติดต่อของผู้ซื้อ
portfolio.pending.step2_seller.waitPayment.msg=ธุรกรรมการฝากเงินมีการยืนยันบล็อกเชนอย่างน้อยหนึ่งรายการ\nคุณต้องรอจนกว่าผู้ซื้อ BTC จะเริ่มการชำระเงิน {0}
portfolio.pending.step2_seller.warn=ผู้ซื้อ BTC ยังไม่ได้ทำ {0} การชำระเงิน\nคุณต้องรอจนกว่าผู้ซื้อจะเริ่มชำระเงิน\nหากการซื้อขายยังไม่เสร็จสิ้นในวันที่ {1} ผู้ไกล่เกลี่ยจะดำเนินการตรวจสอบ
portfolio.pending.step2_seller.openForDispute=The BTC buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
portfolio.pending.step2_seller.waitPayment.msg=ธุรกรรมการฝากเงินมีการยืนยันบล็อกเชนอย่างน้อยหนึ่งรายการ\nคุณต้องรอจนกว่าผู้ซื้อ XMR จะเริ่มการชำระเงิน {0}
portfolio.pending.step2_seller.warn=ผู้ซื้อ XMR ยังไม่ได้ทำ {0} การชำระเงิน\nคุณต้องรอจนกว่าผู้ซื้อจะเริ่มชำระเงิน\nหากการซื้อขายยังไม่เสร็จสิ้นในวันที่ {1} ผู้ไกล่เกลี่ยจะดำเนินการตรวจสอบ
portfolio.pending.step2_seller.openForDispute=The XMR buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
tradeChat.chatWindowTitle=Chat window for trade with ID ''{0}''
tradeChat.openChat=Open chat window
tradeChat.rules=You can communicate with your trade peer to resolve potential problems with this trade.\nIt is not mandatory to reply in the chat.\nIf a trader violates any of the rules below, open a dispute and report it to the mediator or arbitrator.\n\nChat rules:\n\t● Do not send any links (risk of malware). You can send the transaction ID and the name of a block explorer.\n\t● Do not send your seed words, private keys, passwords or other sensitive information!\n\t● Do not encourage trading outside of Haveno (no security).\n\t● Do not engage in any form of social engineering scam attempts.\n\t● If a peer is not responding and prefers to not communicate via chat, respect their decision.\n\t● Keep conversation scope limited to the trade. This chat is not a messenger replacement or troll-box.\n\t● Keep conversation friendly and respectful.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=เน็ตเวิร์ก peer ยืนยั
# suppress inspection "UnusedProperty"
message.state.FAILED=การส่งข้อความล้มเหลว
portfolio.pending.step3_buyer.wait.headline=รอการยืนยันการชำระเงินของผู้ขาย BTC
portfolio.pending.step3_buyer.wait.info=กำลังรอการยืนยันจากผู้ขาย BTC สำหรับการรับ {0} การชำระเงิน
portfolio.pending.step3_buyer.wait.headline=รอการยืนยันการชำระเงินของผู้ขาย XMR
portfolio.pending.step3_buyer.wait.info=กำลังรอการยืนยันจากผู้ขาย XMR สำหรับการรับ {0} การชำระเงิน
portfolio.pending.step3_buyer.wait.msgStateInfo.label=เริ่มต้นสถานะการชำระเงิน
portfolio.pending.step3_buyer.warn.part1a=ใน {0} บล็อกเชน
portfolio.pending.step3_buyer.warn.part1b=ที่ผู้ให้บริการการชำระเงิน (เช่น ธนาคาร)
portfolio.pending.step3_buyer.warn.part2=The BTC seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The BTC seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
portfolio.pending.step3_buyer.warn.part2=The XMR seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The XMR seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=พันธมิตรทางการค้าของคุณได้ยืนยันว่าพวกเขาได้เริ่มต้น {0} การชำระเงิน\n\n
portfolio.pending.step3_seller.crypto.explorer=ผู้สำรวจบล็อกเชน {0} ที่ถูกใจของคุณ
portfolio.pending.step3_seller.crypto.wallet=ณ กระเป๋าสตางค์ {0} ของคุณ
portfolio.pending.step3_seller.crypto={0}โปรดตรวจสอบ {1} หากการทำธุรกรรมส่วนที่อยู่รับของคุณ\n{2}\nมีการยืนยันบล็อกเชนแล้วเรียบร้อย\nยอดการชำระเงินต้องเป็น {3}\n\nคุณสามารถคัดลอกและวาง {4} ข้อมูลที่อยู่ของคุณได้จากหน้าจอหลักหลังจากปิดหน้าต่างป๊อปอัพ
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=เนื่องจากการชำระเงินผ่าน Cash Deposit (ฝากเงินสด) ผู้ซื้อ BTC จะต้องเขียน \"NO REFUND \" ในใบเสร็จรับเงินและให้แบ่งออกเป็น 2 ส่วนและส่งรูปถ่ายทางอีเมล\n\nเพื่อหลีกเลี่ยงความเสี่ยงจากการปฏิเสธการชำระเงิน ให้ยืนยันเฉพาะถ้าคุณได้รับอีเมลและหากคุณแน่ใจว่าใบเสร็จถูกต้องแล้ว\nถ้าคุณไม่แน่ใจ {0}
portfolio.pending.step3_seller.moneyGram=ผู้ซื้อต้องส่งหมายเลขอนุมัติและรูปใบเสร็จรับเงินทางอีเมล\nใบเสร็จรับเงินต้องแสดงชื่อเต็มของคุณ ประเทศ รัฐ และจำนวนเงิน โปรดตรวจสอบอีเมลของคุณหากคุณได้รับหมายเลขการให้สิทธิ์\n\nหลังจากปิดป๊อปอัปคุณจะเห็นชื่อและที่อยู่ของผู้ซื้อ BTC เพื่อรับเงินจาก MoneyGram\n\nยืนยันเฉพาะใบเสร็จหลังจากที่คุณได้รับเงินเรียบร้อยแล้ว!
portfolio.pending.step3_seller.westernUnion=ผู้ซื้อต้องส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินทางอีเมล\nใบเสร็จรับเงินต้องแสดงชื่อ เมือง ประเทศ และจำนวนเงินทั้งหมดไว้อย่างชัดเจน โปรดตรวจสอบอีเมลของคุณหากคุณได้รับ MTCN\n\nหลังจากปิดป๊อปอัปคุณจะเห็นชื่อและที่อยู่ของผู้ซื้อ BTC สำหรับการขอรับเงินจาก Western Union \n\nยืนยันเฉพาะใบเสร็จหลังจากที่คุณได้รับเงินเรียบร้อยแล้ว!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=เนื่องจากการชำระเงินผ่าน Cash Deposit (ฝากเงินสด) ผู้ซื้อ XMR จะต้องเขียน \"NO REFUND \" ในใบเสร็จรับเงินและให้แบ่งออกเป็น 2 ส่วนและส่งรูปถ่ายทางอีเมล\n\nเพื่อหลีกเลี่ยงความเสี่ยงจากการปฏิเสธการชำระเงิน ให้ยืนยันเฉพาะถ้าคุณได้รับอีเมลและหากคุณแน่ใจว่าใบเสร็จถูกต้องแล้ว\nถ้าคุณไม่แน่ใจ {0}
portfolio.pending.step3_seller.moneyGram=ผู้ซื้อต้องส่งหมายเลขอนุมัติและรูปใบเสร็จรับเงินทางอีเมล\nใบเสร็จรับเงินต้องแสดงชื่อเต็มของคุณ ประเทศ รัฐ และจำนวนเงิน โปรดตรวจสอบอีเมลของคุณหากคุณได้รับหมายเลขการให้สิทธิ์\n\nหลังจากปิดป๊อปอัปคุณจะเห็นชื่อและที่อยู่ของผู้ซื้อ XMR เพื่อรับเงินจาก MoneyGram\n\nยืนยันเฉพาะใบเสร็จหลังจากที่คุณได้รับเงินเรียบร้อยแล้ว!
portfolio.pending.step3_seller.westernUnion=ผู้ซื้อต้องส่ง MTCN (หมายเลขติดตาม) และรูปใบเสร็จรับเงินทางอีเมล\nใบเสร็จรับเงินต้องแสดงชื่อ เมือง ประเทศ และจำนวนเงินทั้งหมดไว้อย่างชัดเจน โปรดตรวจสอบอีเมลของคุณหากคุณได้รับ MTCN\n\nหลังจากปิดป๊อปอัปคุณจะเห็นชื่อและที่อยู่ของผู้ซื้อ XMR สำหรับการขอรับเงินจาก Western Union \n\nยืนยันเฉพาะใบเสร็จหลังจากที่คุณได้รับเงินเรียบร้อยแล้ว!
portfolio.pending.step3_seller.halCash=ผู้ซื้อต้องส่งข้อความรหัส HalCash ให้คุณ ในขณะเดียวกันคุณจะได้รับข้อความจาก HalCash พร้อมกับคำขอข้อมูลจำเป็นในการถอนเงินยูโรุจากตู้เอทีเอ็มที่รองรับ HalCash \n\n หลังจากที่คุณได้รับเงินจากตู้เอทีเอ็มโปรดยืนยันใบเสร็จรับเงินจากการชำระเงินที่นี่ !
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=เลขอ้างอิงการ
portfolio.pending.step3_seller.xmrTxKey=Transaction key
portfolio.pending.step3_seller.buyersAccount=Buyers account data
portfolio.pending.step3_seller.confirmReceipt=ใบเสร็จยืนยันการชำระเงิน
portfolio.pending.step3_seller.buyerStartedPayment=ผู้ซื้อ BTC ได้เริ่มการชำระเงิน {0}\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=ผู้ซื้อ XMR ได้เริ่มการชำระเงิน {0}\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=ตรวจสอบการยืนยันบล็อกเชนที่ crypto wallet ของคุณหรือบล็อก explorer และยืนยันการชำระเงินเมื่อคุณมีการยืนยันบล็อกเชนที่เพียงพอ
portfolio.pending.step3_seller.buyerStartedPayment.traditional=ตรวจสอบบัญชีการซื้อขายของคุณ (เช่น บัญชีธนาคาร) และยืนยันเมื่อคุณได้รับการชำระเงิน
portfolio.pending.step3_seller.warn.part1a=ใน {0} บล็อกเชน
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=คุณได้รั
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Please also verify that the name of the sender specified on the trade contract matches the name that appears on your bank statement:\nSender''s name, per trade contract: {0}\n\nIf the names are not exactly the same, don''t confirm payment receipt. Instead, open a dispute by pressing \"alt + o\" or \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the BTC buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the XMR buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=ยืนยันว่าคุณได้รับการชำระเงินแล้ว
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=ใช่ ฉันได้รับการชำระเงินแล้ว
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANT: By confirming receipt of payment, you are also verifying the account of the counterparty and signing it accordingly. Since the account of the counterparty hasn't been signed yet, you should delay confirmation of the payment as long as possible to reduce the risk of a chargeback.
@ -723,16 +723,16 @@ portfolio.pending.step5_buyer.tradeFee=ค่าธรรมเนียมก
portfolio.pending.step5_buyer.makersMiningFee=ค่าธรรมเนียมการขุด
portfolio.pending.step5_buyer.takersMiningFee=ยอดรวมค่าธรรมเนียมการขุด
portfolio.pending.step5_buyer.refunded=เงินประกันความปลอดภัยที่ถูกคืน
portfolio.pending.step5_buyer.withdrawBTC=ถอนเงิน bitcoin ของคุณ
portfolio.pending.step5_buyer.withdrawXMR=ถอนเงิน monero ของคุณ
portfolio.pending.step5_buyer.amount=จำนวนเงินที่จะถอน
portfolio.pending.step5_buyer.withdrawToAddress=ถอนไปยังที่อยู่
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
portfolio.pending.step5_buyer.withdrawExternal=ถอนไปยัง wallet ภายนอก
portfolio.pending.step5_buyer.alreadyWithdrawn=เงินทุนของคุณถูกถอนออกไปแล้ว\nโปรดตรวจสอบประวัติการทำธุรกรรม
portfolio.pending.step5_buyer.confirmWithdrawal=ยืนยันคำขอถอนเงิน
portfolio.pending.step5_buyer.amountTooLow=จำนวนเงินที่โอนจะต่ำกว่าค่าธรรมเนียมการทำธุรกรรมและมูลค่าต่ำกว่าที่น่าจะเป็น (dust หน่วยเล็กสุดของ bitcoin)
portfolio.pending.step5_buyer.amountTooLow=จำนวนเงินที่โอนจะต่ำกว่าค่าธรรมเนียมการทำธุรกรรมและมูลค่าต่ำกว่าที่น่าจะเป็น (dust หน่วยเล็กสุดของ monero)
portfolio.pending.step5_buyer.withdrawalCompleted.headline=การถอนเสร็จสิ้น
portfolio.pending.step5_buyer.withdrawalCompleted.msg=การซื้อขายที่เสร็จสิ้นของคุณจะถูกเก็บไว้ภายใต้ \"Portfolio (แฟ้มผลงาน) / ประวัติ\" \nคุณสามารถตรวจสอบการทำธุรกรรม Bitcoin ทั้งหมดภายใต้ \"เงิน / ธุรกรรม \"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=การซื้อขายที่เสร็จสิ้นของคุณจะถูกเก็บไว้ภายใต้ \"Portfolio (แฟ้มผลงาน) / ประวัติ\" \nคุณสามารถตรวจสอบการทำธุรกรรม Monero ทั้งหมดภายใต้ \"เงิน / ธุรกรรม \"
portfolio.pending.step5_buyer.bought=คุณได้ซื้อ
portfolio.pending.step5_buyer.paid=คุณได้จ่าย
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=You've already accepted
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=เติมเงิน Haveno wallet
funds.deposit.noAddresses=ยังไม่มีการสร้างที่อยู่ของเงินฝาก
funds.deposit.fundWallet=เติมเงินใน wallet ของคุณ
funds.deposit.withdrawFromWallet=ส่งเงินทุนจากกระเป๋าสตางค์ของคุณ
funds.deposit.amount=จำนวนเงินใน BTC (ตัวเลือก)
funds.deposit.amount=จำนวนเงินใน XMR (ตัวเลือก)
funds.deposit.generateAddress=สร้างที่อยู่ใหม่
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=โปรดเลือกที่อยู่ที่ไม่ได้ใช้จากตารางด้านบนแทนที่จะสร้างที่อยู่ใหม่
@ -890,7 +890,7 @@ funds.tx.revert=กลับสู่สภาพเดิม
funds.tx.txSent=ธุรกรรมถูกส่งสำเร็จไปยังที่อยู่ใหม่ใน Haveno wallet ท้องถิ่นแล้ว
funds.tx.direction.self=ส่งถึงตัวคุณเอง
funds.tx.dustAttackTx=Received dust
funds.tx.dustAttackTx.popup=This transaction is sending a very small BTC amount to your wallet and might be an attempt from chain analysis companies to spy on your wallet.\n\nIf you use that transaction output in a spending transaction they will learn that you are likely the owner of the other address as well (coin merge).\n\nTo protect your privacy the Haveno wallet ignores such dust outputs for spending purposes and in the balance display. You can set the threshold amount when an output is considered dust in the settings.
funds.tx.dustAttackTx.popup=This transaction is sending a very small XMR amount to your wallet and might be an attempt from chain analysis companies to spy on your wallet.\n\nIf you use that transaction output in a spending transaction they will learn that you are likely the owner of the other address as well (coin merge).\n\nTo protect your privacy the Haveno wallet ignores such dust outputs for spending purposes and in the balance display. You can set the threshold amount when an output is considered dust in the settings.
####################################################################
# Support
@ -940,8 +940,8 @@ support.savedInMailbox=ข้อความถูกบันทึกไว้
support.arrived=ข้อความถึงผู้รับแล้ว
support.acknowledged=ข้อความได้รับการยืนยันจากผู้รับแล้ว
support.error=ผู้รับไม่สามารถประมวลผลข้อความได้ ข้อผิดพลาด: {0}
support.buyerAddress=ที่อยู่ของผู้ซื้อ BTC
support.sellerAddress=ที่อยู่ของผู้ขาย BTC
support.buyerAddress=ที่อยู่ของผู้ซื้อ XMR
support.sellerAddress=ที่อยู่ของผู้ขาย XMR
support.role=บทบาท
support.agent=Support agent
support.state=สถานะ
@ -949,12 +949,12 @@ support.chat=Chat
support.closed=ปิดแล้ว
support.open=เปิด
support.process=Process
support.buyerMaker=BTC ผู้ซื้อ / ผู้สร้าง
support.sellerMaker= BTC ผู้ขาย/ ผู้สร้าง
support.buyerTaker=BTC ผู้ซื้อ / ผู้รับ
support.sellerTaker=BTC ผู้ขาย / ผู้รับ
support.buyerMaker=XMR ผู้ซื้อ / ผู้สร้าง
support.sellerMaker= XMR ผู้ขาย/ ผู้สร้าง
support.buyerTaker=XMR ผู้ซื้อ / ผู้รับ
support.sellerTaker=XMR ผู้ขาย / ผู้รับ
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the BTC buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the BTC seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the XMR buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the XMR seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.systemMsg=ระบบข้อความ: {0}
support.youOpenedTicket=You opened a request for support.\n\n{0}\n\nHaveno version: {1}
support.youOpenedDispute=You opened a request for a dispute.\n\n{0}\n\nHaveno version: {1}
@ -978,13 +978,13 @@ settings.tab.network=ข้อมูลเครือข่าย
settings.tab.about=เกี่ยวกับ
setting.preferences.general=การตั้งค่าทั่วไป
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=สูงสุด ส่วนเบี่ยงเบนจากราคาตลาด
setting.preferences.avoidStandbyMode=หลีกเลี่ยงโหมดแสตนบายด์
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=ค่าที่สูงกว่า {0}% ไม่ได้รับอนุญาต
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1021,29 +1021,29 @@ settings.preferences.editCustomExplorer.name=ชื่อ
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=เครือข่าย Bitcoin
settings.net.xmrHeader=เครือข่าย Monero
settings.net.p2pHeader=Haveno network
settings.net.onionAddressLabel=ที่อยู่ onion ของฉัน
settings.net.xmrNodesLabel=ใช้โหนดเครือข่าย Monero ที่กำหนดเอง
settings.net.moneroPeersLabel=เชื่อมต่อกับเน็ตเวิร์ก peers แล้ว
settings.net.useTorForXmrJLabel=ใช้ Tor สำหรับเครือข่าย Monero
settings.net.moneroNodesLabel=ใช้โหนดเครือข่าย Monero เพื่อเชื่อมต่อ
settings.net.useProvidedNodesRadio=ใช้โหนดเครือข่าย Bitcoin ที่ให้มา
settings.net.usePublicNodesRadio=ใช้เครือข่าย Bitcoin สาธารณะ
settings.net.useCustomNodesRadio=ใช้โหนดเครือข่าย Bitcoin Core ที่กำหนดเอง
settings.net.useProvidedNodesRadio=ใช้โหนดเครือข่าย Monero ที่ให้มา
settings.net.usePublicNodesRadio=ใช้เครือข่าย Monero สาธารณะ
settings.net.useCustomNodesRadio=ใช้โหนดเครือข่าย Monero Core ที่กำหนดเอง
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=ไม่ ใช้โหนดที่ให้มา
settings.net.warn.usePublicNodes.usePublic=ใช่ ใช้เครือข่ายสาธารณะ
settings.net.warn.useCustomNodes.B2XWarning=โปรดตรวจสอบว่าโหนด Bitcoin ของคุณเป็นโหนด Bitcoin Core ที่เชื่อถือได้!\n\nการเชื่อมต่อกับโหนดที่ไม่ปฏิบัติตามกฎกติกาการยินยอมของ Bitcoin Core อาจทำให้ wallet ของคุณเกิดปัญหาในกระบวนการทางการซื้อขายได้\n\nผู้ใช้ที่เชื่อมต่อกับโหนดที่ละเมิดกฎเป็นเอกฉันท์นั้นจำเป็นต้องรับผิดชอบต่อความเสียหายที่สร้างขึ้น ข้อพิพาทที่เกิดจากการที่จะได้รับการตัดสินใจจาก เน็ตกเวิร์ก Peer คนอื่น ๆ จะไม่มีการสนับสนุนด้านเทคนิคแก่ผู้ใช้ที่ไม่สนใจคำเตือนและกลไกการป้องกันของเรา!
settings.net.warn.invalidBtcConfig=Connection to the Bitcoin network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Bitcoin nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Bitcoin node when starting. If it is found, Haveno will communicate with the Bitcoin network exclusively through it.
settings.net.warn.useCustomNodes.B2XWarning=โปรดตรวจสอบว่าโหนด Monero ของคุณเป็นโหนด Monero Core ที่เชื่อถือได้!\n\nการเชื่อมต่อกับโหนดที่ไม่ปฏิบัติตามกฎกติกาการยินยอมของ Monero Core อาจทำให้ wallet ของคุณเกิดปัญหาในกระบวนการทางการซื้อขายได้\n\nผู้ใช้ที่เชื่อมต่อกับโหนดที่ละเมิดกฎเป็นเอกฉันท์นั้นจำเป็นต้องรับผิดชอบต่อความเสียหายที่สร้างขึ้น ข้อพิพาทที่เกิดจากการที่จะได้รับการตัดสินใจจาก เน็ตกเวิร์ก Peer คนอื่น ๆ จะไม่มีการสนับสนุนด้านเทคนิคแก่ผู้ใช้ที่ไม่สนใจคำเตือนและกลไกการป้องกันของเรา!
settings.net.warn.invalidXmrConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=เชื่อมต่อกับเน็ตเวิร์ก peers แล้ว
settings.net.onionAddressColumn=ที่อยู่ Onion
settings.net.creationDateColumn=ที่จัดตั้งขึ้น
settings.net.connectionTypeColumn=เข้า/ออก
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=ไป - กลับ
settings.net.sentBytesColumn=ส่งแล้ว
settings.net.receivedBytesColumn=ได้รับแล้ว
@ -1058,7 +1058,7 @@ settings.net.needRestart=คุณต้องรีสตาร์ทแอ็
settings.net.notKnownYet=ยังไม่ทราบ ...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[ที่อยู่ IP: พอร์ต | ชื่อโฮสต์: พอร์ต | ที่อยู่ onion: พอร์ต] (คั่นด้วยเครื่องหมายจุลภาค) Port สามารถละเว้นได้ถ้าใช้ค่าเริ่มต้น (8333)
settings.net.seedNode=แหล่งโหนดข้อมูล
settings.net.directPeer=Peer (โดยตรง)
@ -1104,7 +1104,7 @@ setting.about.shortcuts.openDispute.value=Select pending trade and click: {0}
setting.about.shortcuts.walletDetails=Open wallet details window
setting.about.shortcuts.openEmergencyBtcWalletTool=Open emergency wallet tool for BTC wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.showTorLogs=Toggle log level for Tor messages between DEBUG and WARN
@ -1130,7 +1130,7 @@ setting.about.shortcuts.sendPrivateNotification=Send private notification to pee
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1139,7 +1139,7 @@ account.tab.mediatorRegistration=Mediator registration
account.tab.refundAgentRegistration=Refund agent registration
account.tab.signing=Signing
account.info.headline=ยินดีต้อนรับสู่บัญชี Haveno ของคุณ
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Bitcoin wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Bitcoin wallet seed words (see tab on the top) and consider adding a password before funding. Bitcoin deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Bitcoin addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Monero wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Monero wallet seed words (see tab on the top) and consider adding a password before funding. Monero deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Monero addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.menu.paymentAccount=บัญชีสกุลเงินของประเทศ
account.menu.altCoinsAccountView=บัญชี Crypto (เหรียญทางเลือก)
@ -1150,7 +1150,7 @@ account.menu.backup=การสำรองข้อมูล
account.menu.notifications=การแจ้งเตือน
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1207,7 +1207,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Trading L-BTC on Haveno requires that you understand the following:\n\nWhen receiving L-BTC for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-BTC into the Liquid Elements Core wallet, or another L-BTC wallet which allows you to obtain the blinding key for your blinded L-BTC address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-BTC address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-BTC receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-BTC on Haveno.
account.crypto.popup.liquidmonero.msg=Trading L-XMR on Haveno requires that you understand the following:\n\nWhen receiving L-XMR for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-XMR into the Liquid Elements Core wallet, or another L-XMR wallet which allows you to obtain the blinding key for your blinded L-XMR address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-XMR address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-XMR receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-XMR on Haveno.
account.traditional.yourTraditionalAccounts=บัญชีสกุลเงินของคุณ
@ -1228,12 +1228,12 @@ account.password.setPw.headline=ตั้งรหัสผ่านการป
account.password.info=เมื่อเปิดใช้งานการป้องกันด้วยรหัสผ่าน คุณจะต้องป้อนรหัสผ่านของคุณที่จุดเริ่มต้นของแอปพลิเคชัน ขณะถอนเงินมอเนโรออกจากกระเป๋าของคุณ และเมื่อแสดง seed words ของคุณ
account.seed.backup.title=สำรองข้อมูล wallet โค้ดของคุณ
account.seed.info=โปรดเขียนรหัสสำรองข้อมูล wallet และวันที่! คุณสามารถกู้ข้อมูล wallet ของคุณได้ทุกเมื่อด้วย รหัสสำรองข้อมูล wallet และวันที่\nรหัสสำรองข้อมูล ใช้ทั้ง BTC และ BSQ wallet\n\nคุณควรเขียนรหัสสำรองข้อมูล wallet ลงบนแผ่นกระดาษและไม่บันทึกไว้ในคอมพิวเตอร์ของคุณ\n\nโปรดทราบว่า รหัสสำรองข้อมูล wallet ไม่ได้แทนการสำรองข้อมูล\nคุณจำเป็นต้องสำรองข้อมูลสารบบแอ็พพลิเคชั่นทั้งหมดที่หน้าจอ \"บัญชี / การสำรองข้อมูล \" เพื่อกู้คืนสถานะแอ็พพลิเคชั่นและข้อมูลที่ถูกต้อง\nการนำเข้ารหัสสำรองข้อมูล wallet เป็นคำแนะนำเฉพาะสำหรับกรณีฉุกเฉินเท่านั้น แอพพลิเคชั่นจะไม่สามารถใช้งานได้หากไม่มีไฟล์สำรองฐานข้อมูลและคีย์ที่ถูกต้อง!
account.seed.info=โปรดเขียนรหัสสำรองข้อมูล wallet และวันที่! คุณสามารถกู้ข้อมูล wallet ของคุณได้ทุกเมื่อด้วย รหัสสำรองข้อมูล wallet และวันที่\nรหัสสำรองข้อมูล ใช้ทั้ง XMR และ BSQ wallet\n\nคุณควรเขียนรหัสสำรองข้อมูล wallet ลงบนแผ่นกระดาษและไม่บันทึกไว้ในคอมพิวเตอร์ของคุณ\n\nโปรดทราบว่า รหัสสำรองข้อมูล wallet ไม่ได้แทนการสำรองข้อมูล\nคุณจำเป็นต้องสำรองข้อมูลสารบบแอ็พพลิเคชั่นทั้งหมดที่หน้าจอ \"บัญชี / การสำรองข้อมูล \" เพื่อกู้คืนสถานะแอ็พพลิเคชั่นและข้อมูลที่ถูกต้อง\nการนำเข้ารหัสสำรองข้อมูล wallet เป็นคำแนะนำเฉพาะสำหรับกรณีฉุกเฉินเท่านั้น แอพพลิเคชั่นจะไม่สามารถใช้งานได้หากไม่มีไฟล์สำรองฐานข้อมูลและคีย์ที่ถูกต้อง!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=คุณยังไม่ได้ตั้งรหัสผ่าน wallet ซึ่งจะช่วยป้องกันการแสดงผลของรหัสสำรองข้อมูล wallet \n\nคุณต้องการแสดงรหัสสำรองข้อมูล wallet หรือไม่
account.seed.warn.noPw.yes=ใช่ และไม่ต้องถามฉันอีก
account.seed.enterPw=ป้อนรหัสผ่านเพื่อดูรหัสสำรองข้อมูล wallet
account.seed.restore.info=Please make a backup before applying restore from seed words. Be aware that wallet restore is only for emergency cases and might cause problems with the internal wallet database.\nIt is not a way for applying a backup! Please use a backup from the application data directory for restoring a previous application state.\n\nAfter restoring the application will shut down automatically. After you have restarted the application it will resync with the Bitcoin network. This can take a while and can consume a lot of CPU, especially if the wallet was older and had many transactions. Please avoid interrupting that process, otherwise you might need to delete the SPV chain file again or repeat the restore process.
account.seed.restore.info=Please make a backup before applying restore from seed words. Be aware that wallet restore is only for emergency cases and might cause problems with the internal wallet database.\nIt is not a way for applying a backup! Please use a backup from the application data directory for restoring a previous application state.\n\nAfter restoring the application will shut down automatically. After you have restarted the application it will resync with the Monero network. This can take a while and can consume a lot of CPU, especially if the wallet was older and had many transactions. Please avoid interrupting that process, otherwise you might need to delete the SPV chain file again or repeat the restore process.
account.seed.restore.ok=Ok, do the restore and shut down Haveno
@ -1258,13 +1258,13 @@ account.notifications.trade.label=ได้รับข้อความทา
account.notifications.market.label=ได้รับการแจ้งเตือนข้อเสนอ
account.notifications.price.label=ได้รับการแจ้งเตือนราคา
account.notifications.priceAlert.title=แจ้งเตือนราคา
account.notifications.priceAlert.high.label=แจ้งเตือนหากราคา BTC สูงกว่า
account.notifications.priceAlert.low.label=แจ้งเตือนหากราคา BTC ต่ำกว่า
account.notifications.priceAlert.high.label=แจ้งเตือนหากราคา XMR สูงกว่า
account.notifications.priceAlert.low.label=แจ้งเตือนหากราคา XMR ต่ำกว่า
account.notifications.priceAlert.setButton=ตั้งค่าการเตือนราคา
account.notifications.priceAlert.removeButton=ลบการเตือนราคา
account.notifications.trade.message.title=การเปลี่ยนแปลงสถานะทางการค้า
account.notifications.trade.message.msg.conf=ธุรกรรมทางการค้าจากผู้ค้า ID {0} ได้รับการยืนยันแล้ว โปรดเปิดแอปพลิเคชัน Haveno ของคุณและเริ่มการรับการชำระเงิน
account.notifications.trade.message.msg.started=ผู้ซื้อ BTC ได้เริ่มต้นการชำระเงินสำหรับผู้ค้าที่มี ID {0}
account.notifications.trade.message.msg.started=ผู้ซื้อ XMR ได้เริ่มต้นการชำระเงินสำหรับผู้ค้าที่มี ID {0}
account.notifications.trade.message.msg.completed=การค้ากับ ID {0} เสร็จสมบูรณ์
account.notifications.offer.message.title=ข้อเสนอของคุณถูกยอมรับ
account.notifications.offer.message.msg=ข้อเสนอของคุณที่มี ID {0} ถูกยอมรับ
@ -1274,10 +1274,10 @@ account.notifications.dispute.message.msg=คุณได้รับข้อ
account.notifications.marketAlert.title=เสนอการแจ้งเตือน
account.notifications.marketAlert.selectPaymentAccount=เสนอบัญชีการชำระเงินที่ตรงกัน
account.notifications.marketAlert.offerType.label=ประเภทข้อเสนอพิเศษที่ฉันสนใจ
account.notifications.marketAlert.offerType.buy=ซื้อข้อเสนอพิเศษ (ฉันต้องการขาย BTC)
account.notifications.marketAlert.offerType.sell=ข้อเสนอพิเศษในการขาย (ฉันต้องการซื้อ BTC)
account.notifications.marketAlert.offerType.buy=ซื้อข้อเสนอพิเศษ (ฉันต้องการขาย XMR)
account.notifications.marketAlert.offerType.sell=ข้อเสนอพิเศษในการขาย (ฉันต้องการซื้อ XMR)
account.notifications.marketAlert.trigger=ระดับของราคาที่เสนอ (%)
account.notifications.marketAlert.trigger.info=เมื่อตั้งระดับของราคา คุณจะได้รับการแจ้งเตือนเมื่อมีการเผยแพร่ข้อเสนอที่ตรงกับความต้องการของคุณ (หรือมากกว่า) \nตัวอย่าง: หากคุณต้องการขาย BTC แต่คุณจะขายในราคาที่สูงกว่า 2% จากราคาตลาดปัจจุบันเท่านั้น\n การตั้งค่าฟิลด์นี้เป็น 2% จะทำให้คุณมั่นใจได้ว่าจะได้รับการแจ้งเตือนสำหรับข้อเสนอเฉพาะในราคาที่สูงกว่าราคาตลาดปัจจุบันที่ 2% (หรือมากกว่า)
account.notifications.marketAlert.trigger.info=เมื่อตั้งระดับของราคา คุณจะได้รับการแจ้งเตือนเมื่อมีการเผยแพร่ข้อเสนอที่ตรงกับความต้องการของคุณ (หรือมากกว่า) \nตัวอย่าง: หากคุณต้องการขาย XMR แต่คุณจะขายในราคาที่สูงกว่า 2% จากราคาตลาดปัจจุบันเท่านั้น\n การตั้งค่าฟิลด์นี้เป็น 2% จะทำให้คุณมั่นใจได้ว่าจะได้รับการแจ้งเตือนสำหรับข้อเสนอเฉพาะในราคาที่สูงกว่าราคาตลาดปัจจุบันที่ 2% (หรือมากกว่า)
account.notifications.marketAlert.trigger.prompt=เปอร์เซ็นต์ระดับราคาจากราคาตลาด (เช่น 2.50%, -0.50% ฯลฯ )
account.notifications.marketAlert.addButton=เพิ่มการแจ้งเตือนข้อเสนอพิเศษ
account.notifications.marketAlert.manageAlertsButton=จัดการการแจ้งเตือนข้อเสนอพิเศษ
@ -1304,10 +1304,10 @@ inputControlWindow.balanceLabel=ยอดคงเหลือที่พร้
contractWindow.title=รายละเอียดข้อพิพาท
contractWindow.dates=วันที่เสนอ / วันที่ซื้อขาย
contractWindow.btcAddresses=ที่อยู่ Bitcoin ผู้ซื้อ BTC / ผู้ขาย BTC
contractWindow.onions=ที่อยู่เครือข่ายผู้ซื้อ BTC / ผู้ขาย BTC
contractWindow.accountAge=Account age BTC buyer / BTC seller
contractWindow.numDisputes=เลขที่ข้อพิพาทผู้ซื้อ BTC / ผู้ขาย BTC
contractWindow.xmrAddresses=ที่อยู่ Monero ผู้ซื้อ XMR / ผู้ขาย XMR
contractWindow.onions=ที่อยู่เครือข่ายผู้ซื้อ XMR / ผู้ขาย XMR
contractWindow.accountAge=Account age XMR buyer / XMR seller
contractWindow.numDisputes=เลขที่ข้อพิพาทผู้ซื้อ XMR / ผู้ขาย XMR
contractWindow.contractHash=สัญญา hash
displayAlertMessageWindow.headline=ข้อมูลสำคัญ!
@ -1333,8 +1333,8 @@ disputeSummaryWindow.title=สรุป
disputeSummaryWindow.openDate=วันที่ยื่นการเปิดคำขอและความช่วยเหลือ
disputeSummaryWindow.role=บทบาทของผู้ค้า
disputeSummaryWindow.payout=การจ่ายเงินของจำนวนการซื้อขาย
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} รับการจ่ายเงินของปริมาณการซื้อขาย:
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} รับการจ่ายเงินของปริมาณการซื้อขาย:
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=การชำระเงินที่กำหนดเอง
disputeSummaryWindow.payoutAmount.buyer=จำนวนเงินที่จ่ายของผู้ซื้อ
disputeSummaryWindow.payoutAmount.seller=จำนวนเงินที่จ่ายของผู้ขาย
@ -1376,7 +1376,7 @@ disputeSummaryWindow.close.button=ปิดการยื่นคำขอแ
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1419,18 +1419,18 @@ filterWindow.mediators=Filtered mediators (comma sep. onion addresses)
filterWindow.refundAgents=Filtered refund agents (comma sep. onion addresses)
filterWindow.seedNode=แหล่งข้อมูลในโหนดเครือข่ายที่ได้รับการกรอง (คั่นด้วยเครื่องหมายจุลภาค ที่อยู่ onion)
filterWindow.priceRelayNode=โหนดผลัดเปลี่ยนราคาที่ได้รับการกรอง (คั่นด้วยเครื่องหมายจุลภาค ที่อยู่ onion)
filterWindow.xmrNode=โหนด Bitcoin ที่ได้รับการกรองแล้ว (คั่นด้วยเครื่องหมายจุลภาค ที่อยู่ + พอร์ต)
filterWindow.preventPublicXmrNetwork=ป้องกันการใช้เครือข่าย Bitcoin สาธารณะ
filterWindow.xmrNode=โหนด Monero ที่ได้รับการกรองแล้ว (คั่นด้วยเครื่องหมายจุลภาค ที่อยู่ + พอร์ต)
filterWindow.preventPublicXmrNetwork=ป้องกันการใช้เครือข่าย Monero สาธารณะ
filterWindow.disableAutoConf=Disable auto-confirm
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
filterWindow.disableTradeBelowVersion=Min. version required for trading
filterWindow.add=เพิ่มตัวกรอง
filterWindow.remove=ลบตัวกรอง
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=จำนวน BTC ต่ำสุด
offerDetailsWindow.minXmrAmount=จำนวน XMR ต่ำสุด
offerDetailsWindow.min=(ต่ำสุด. {0})
offerDetailsWindow.distance=(ระดับราคาจากราคาตลาด: {0})
offerDetailsWindow.myTradingAccount=บัญชีการซื้อขายของฉัน
@ -1495,7 +1495,7 @@ tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1505,7 +1505,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=ป้อนรหัสผ่านเพื่อปลดล็อก
@ -1531,12 +1531,12 @@ torNetworkSettingWindow.bridges.header=Tor ถูกบล็อกหรือ
torNetworkSettingWindow.bridges.info=ถ้า Tor ถูกปิดกั้นโดยผู้ให้บริการอินเทอร์เน็ตหรือประเทศของคุณ คุณสามารถลองใช้ Tor bridges\nไปที่หน้าเว็บของ Tor ที่ https://bridges.torproject.org/bridges เพื่อเรียนรู้เพิ่มเติมเกี่ยวกับสะพานและการขนส่งแบบ pluggable
feeOptionWindow.headline=เลือกสกุลเงินสำหรับการชำระค่าธรรมเนียมการซื้อขาย
feeOptionWindow.info=คุณสามารถเลือกที่จะชำระค่าธรรมเนียมทางการค้าใน BSQ หรือใน BTC แต่ถ้าคุณเลือก BSQ คุณจะได้รับส่วนลดค่าธรรมเนียมการซื้อขาย
feeOptionWindow.info=คุณสามารถเลือกที่จะชำระค่าธรรมเนียมทางการค้าใน BSQ หรือใน XMR แต่ถ้าคุณเลือก BSQ คุณจะได้รับส่วนลดค่าธรรมเนียมการซื้อขาย
feeOptionWindow.optionsLabel=เลือกสกุลเงินสำหรับการชำระค่าธรรมเนียมการซื้อขาย
feeOptionWindow.useBTC=ใช้ BTC
feeOptionWindow.useXMR=ใช้ XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1578,9 +1578,9 @@ popup.warning.noTradingAccountSetup.msg=คุณต้องตั้งค่
popup.warning.noArbitratorsAvailable=ไม่มีผู้ไกล่เกลี่ยสำหรับทำการ
popup.warning.noMediatorsAvailable=There are no mediators available.
popup.warning.notFullyConnected=คุณต้องรอจนกว่าคุณจะเชื่อมต่อกับเครือข่ายอย่างสมบูรณ์\nอาจใช้เวลาประมาณ 2 นาทีเมื่อเริ่มต้น
popup.warning.notSufficientConnectionsToBtcNetwork=คุณต้องรอจนกว่าจะมีการเชื่อมต่อกับเครือข่าย Bitcoin อย่างน้อย {0} รายการ
popup.warning.downloadNotComplete=คุณต้องรอจนกว่าการดาวน์โหลดบล็อค Bitcoin ที่ขาดหายไปจะเสร็จสมบูรณ์
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=คุณต้องรอจนกว่าจะมีการเชื่อมต่อกับเครือข่าย Monero อย่างน้อย {0} รายการ
popup.warning.downloadNotComplete=คุณต้องรอจนกว่าการดาวน์โหลดบล็อค Monero ที่ขาดหายไปจะเสร็จสมบูรณ์
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=คุณแน่ใจหรือไม่ว่าต้องการนำข้อเสนอนั้นออก
popup.warning.tooLargePercentageValue=คุณไม่สามารถกำหนดเปอร์เซ็นต์เป็น 100% หรือมากกว่าได้
popup.warning.examplePercentageValue=โปรดป้อนตัวเลขเปอร์เซ็นต์เช่น \"5.4 \" เป็น 5.4%
@ -1600,13 +1600,13 @@ popup.warning.priceRelay=ราคาผลัดเปลี่ยน
popup.warning.seed=รหัสลับเพื่อกู้ข้อมูล
popup.warning.mandatoryUpdate.trading=Please update to the latest Haveno version. A mandatory update was released which disables trading for old versions. Please check out the Haveno Forum for more information.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. Please wait until the mining fees are low again or until you''ve accumulated more BTC to transfer.
popup.warning.burnXMR=This transaction is not possible, as the mining fees of {0} would exceed the amount to transfer of {1}. Please wait until the mining fees are low again or until you''ve accumulated more XMR to transfer.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Bitcoin network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Monero network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected.tradeFee=trade fee
popup.warning.trade.txRejected.deposit=deposit
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=The maker fee transaction for offer with ID {0} is invalid.\nTransaction ID={1}.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
@ -1621,7 +1621,7 @@ popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not
popup.privateNotification.headline=การแจ้งเตือนส่วนตัวที่สำคัญ!
popup.securityRecommendation.headline=ข้อเสนอแนะด้านความปลอดภัยที่สำคัญ
popup.securityRecommendation.msg=เราขอแจ้งเตือนให้คุณพิจารณาใช้การป้องกันด้วยรหัสผ่านสำหรับ wallet ของคุณ หากยังไม่ได้เปิดใช้งาน\n\nขอแนะนำให้เขียนรหัสลับป้องกัน wallet รหัสลับเหล่านี้เหมือนกับรหัสผ่านหลักสำหรับการกู้คืน Bitcoin wallet ของคุณ\nไปที่ \"กระเป๋าสตางค์ \" คุณจะพบข้อมูลเพิ่มเติม\n\nนอกจากนี้คุณควรสำรองโฟลเดอร์ข้อมูลแอ็พพลิเคชั่นทั้งหมดไว้ที่ส่วน \"สำรองข้อมูล \"
popup.securityRecommendation.msg=เราขอแจ้งเตือนให้คุณพิจารณาใช้การป้องกันด้วยรหัสผ่านสำหรับ wallet ของคุณ หากยังไม่ได้เปิดใช้งาน\n\nขอแนะนำให้เขียนรหัสลับป้องกัน wallet รหัสลับเหล่านี้เหมือนกับรหัสผ่านหลักสำหรับการกู้คืน Monero wallet ของคุณ\nไปที่ \"กระเป๋าสตางค์ \" คุณจะพบข้อมูลเพิ่มเติม\n\nนอกจากนี้คุณควรสำรองโฟลเดอร์ข้อมูลแอ็พพลิเคชั่นทั้งหมดไว้ที่ส่วน \"สำรองข้อมูล \"
popup.shutDownInProgress.headline=การปิดระบบอยู่ระหว่างดำเนินการ
popup.shutDownInProgress.msg=การปิดแอพพลิเคชั่นอาจใช้เวลาสักครู่\nโปรดอย่าขัดจังหวะกระบวนการนี้
@ -1674,9 +1674,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Failed to sign
notification.trade.headline=การแจ้งเตือนการซื้อขายด้วย ID {0}
notification.ticket.headline=ศูนย์ช่วยเหลือสนับสนุนการซื้อขายด้วย ID {0}
notification.trade.completed=การค้าเสร็จสิ้นแล้วและคุณสามารถถอนเงินของคุณได้
notification.trade.accepted=ข้อเสนอของคุณได้รับการยอมรับจาก BTC {0} แล้ว
notification.trade.accepted=ข้อเสนอของคุณได้รับการยอมรับจาก XMR {0} แล้ว
notification.trade.unlocked=การซื้อขายของคุณมีการยืนยัน blockchain อย่างน้อยหนึ่งรายการ\nคุณสามารถเริ่มการชำระเงินได้เลย
notification.trade.paymentSent=ผู้ซื้อ BTC ได้เริ่มการชำระเงินแล้ว
notification.trade.paymentSent=ผู้ซื้อ XMR ได้เริ่มการชำระเงินแล้ว
notification.trade.selectTrade=เลือกการซื้อขาย
notification.trade.peerOpenedDispute=เครือข่ายทางการค้าของคุณได้เริ่มต้นเปิดที่ {0}
notification.trade.disputeClosed={0} ถูกปิดแล้ว
@ -1695,7 +1695,7 @@ systemTray.show=แสดงหน้าต่างแอ็พพลิเค
systemTray.hide=ซ่อนหน้าต่างแอ็พพลิเคชั่น
systemTray.info=ข้อมูลเกี่ยวกับ Haveno
systemTray.exit=ออก
systemTray.tooltip=Haveno: A decentralized bitcoin exchange network
systemTray.tooltip=Haveno: A decentralized monero exchange network
####################################################################
@ -1757,10 +1757,10 @@ peerInfo.age.noRisk=อายุบัญชีการชำระเงิน
peerInfo.age.chargeBackRisk=Time since signing
peerInfo.unknownAge=อายุ ที่ไม่ที่รู้จัก
addressTextField.openWallet=เปิดกระเป๋าสตางค์ Bitcoin เริ่มต้นของคุณ
addressTextField.openWallet=เปิดกระเป๋าสตางค์ Monero เริ่มต้นของคุณ
addressTextField.copyToClipboard=คัดลอกที่อยู่ไปยังคลิปบอร์ด
addressTextField.addressCopiedToClipboard=ที่อยู่ถูกคัดลอกไปยังคลิปบอร์ดแล้ว
addressTextField.openWallet.failed=การเปิดแอปพลิเคชั่นเริ่มต้นกระเป๋าสตางค์ Bitcoin ล้มเหลว บางทีคุณอาจยังไม่ได้ติดตั้งไว้
addressTextField.openWallet.failed=การเปิดแอปพลิเคชั่นเริ่มต้นกระเป๋าสตางค์ Monero ล้มเหลว บางทีคุณอาจยังไม่ได้ติดตั้งไว้
peerInfoIcon.tooltip={0} \nแท็ก: {1}
@ -1851,7 +1851,7 @@ seed.date=วันที่ในกระเป๋าสตางค์
seed.restore.title=เรียกคืนกระเป๋าสตางค์จากรหัสลับ
seed.restore=เรียกกระเป๋าสตางค์คืน
seed.creationDate=วันที่สร้าง
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=ฉันต้องการเรียกคืนอีกครั้ง
seed.warn.walletNotEmpty.emptyWallet=ฉันจะทำให้กระเป๋าสตางค์ของฉันว่างเปล่าก่อน
seed.warn.notEncryptedAnymore=กระเป๋าสตางค์ของคุณได้รับการเข้ารหัสแล้ว\n\nหลังจากเรียกคืน wallets จะไม่ได้รับการเข้ารหัสและคุณต้องตั้งรหัสผ่านใหม่\n\nคุณต้องการดำเนินการต่อหรือไม่
@ -1942,12 +1942,12 @@ payment.checking=การตรวจสอบ
payment.savings=ออมทรัพย์
payment.personalId=รหัส ID ประจำตัวบุคคล
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=เมื่อมีการใช้งาน HalCash ผู้ซื้อ BTC จำเป็นต้องส่งรหัส Halcash ให้กับผู้ขายทางข้อความโทรศัพท์มือถือ\n\nโปรดตรวจสอบว่าไม่เกินจำนวนเงินสูงสุดที่ธนาคารของคุณอนุญาตให้คุณส่งด้วย HalCash จำนวนเงินขั้นต่ำในการเบิกถอนคือ 10 EUR และสูงสุดในจำนวนเงิน 600 EUR สำหรับการถอนซ้ำเป็น 3000 EUR ต่อผู้รับและต่อวัน และ 6000 EUR ต่อผู้รับและต่อเดือน โปรดตรวจสอบข้อจำกัดจากทางธนาคารคุณเพื่อให้มั่นใจได้ว่าทางธนาคารได้มีการใช้มาตรฐานข้อกำหนดเดียวกันกับดังที่ระบุไว้ ณ ที่นี่\n\nจำนวนเงินที่ถอนจะต้องเป็นจำนวนเงินหลาย 10 EUR เนื่องจากคุณไม่สามารถถอนเงินอื่น ๆ ออกจากตู้เอทีเอ็มได้ UI ในหน้าจอสร้างข้อเสนอและรับข้อเสนอจะปรับจำนวนเงิน BTC เพื่อให้จำนวนเงิน EUR ถูกต้อง คุณไม่สามารถใช้ราคาตลาดเป็นจำนวนเงิน EUR ซึ่งจะเปลี่ยนแปลงไปตามราคาที่มีการปรับเปลี่ยน\n\nในกรณีที่มีข้อพิพาทผู้ซื้อ BTC ต้องแสดงหลักฐานว่าได้ส่ง EUR แล้ว
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=เมื่อมีการใช้งาน HalCash ผู้ซื้อ XMR จำเป็นต้องส่งรหัส Halcash ให้กับผู้ขายทางข้อความโทรศัพท์มือถือ\n\nโปรดตรวจสอบว่าไม่เกินจำนวนเงินสูงสุดที่ธนาคารของคุณอนุญาตให้คุณส่งด้วย HalCash จำนวนเงินขั้นต่ำในการเบิกถอนคือ 10 EUR และสูงสุดในจำนวนเงิน 600 EUR สำหรับการถอนซ้ำเป็น 3000 EUR ต่อผู้รับและต่อวัน และ 6000 EUR ต่อผู้รับและต่อเดือน โปรดตรวจสอบข้อจำกัดจากทางธนาคารคุณเพื่อให้มั่นใจได้ว่าทางธนาคารได้มีการใช้มาตรฐานข้อกำหนดเดียวกันกับดังที่ระบุไว้ ณ ที่นี่\n\nจำนวนเงินที่ถอนจะต้องเป็นจำนวนเงินหลาย 10 EUR เนื่องจากคุณไม่สามารถถอนเงินอื่น ๆ ออกจากตู้เอทีเอ็มได้ UI ในหน้าจอสร้างข้อเสนอและรับข้อเสนอจะปรับจำนวนเงิน XMR เพื่อให้จำนวนเงิน EUR ถูกต้อง คุณไม่สามารถใช้ราคาตลาดเป็นจำนวนเงิน EUR ซึ่งจะเปลี่ยนแปลงไปตามราคาที่มีการปรับเปลี่ยน\n\nในกรณีที่มีข้อพิพาทผู้ซื้อ XMR ต้องแสดงหลักฐานว่าได้ส่ง EUR แล้ว
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1963,7 +1963,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=ข้อมูลติดต่อ
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1974,7 +1974,7 @@ payment.f2f.city.prompt=ชื่อเมืองจะแสดงพร้
payment.shared.optionalExtra=ข้อมูลตัวเลือกเพิ่มเติม
payment.shared.extraInfo=ข้อมูลเพิ่มเติม
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=เปิดหน้าเว็บ
payment.f2f.offerbook.tooltip.countryAndCity=Country and city: {0} / {1}
payment.f2f.offerbook.tooltip.extra=ข้อมูลเพิ่มเติม: {0}
@ -1986,7 +1986,7 @@ payment.japan.recipient=ชื่อ
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2144,7 +2144,7 @@ validation.zero=ไม่อนุญาตให้ป้อนข้อมู
validation.negative=ไม่อนุญาตให้ใช้ค่าลบ
validation.traditional.tooSmall=ไม่อนุญาตให้ป้อนข้อมูลที่มีขนาดเล็กกว่าจำนวนเป็นไปได้ต่ำสุด
validation.traditional.tooLarge=ไม่อนุญาตให้ป้อนข้อมูลที่มีขนาดใหญ่กว่าจำนวนสูงสุดที่เป็นไปได้
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=ไม่อนุญาตให้ป้อนข้อมูลขนาดใหญ่กว่า {0}
validation.xmr.tooSmall=ไม่อนุญาตให้ป้อนข้อมูลที่มีขนาดเล็กกว่า {0}
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2154,10 +2154,10 @@ validation.sortCodeChars={0} ต้องประกอบด้วย {1} ต
validation.bankIdNumber={0} ต้องประกอบด้วย {1} ตัวเลข
validation.accountNr=หมายเลขบัญชีต้องประกอบด้วย {0} ตัวเลข
validation.accountNrChars=หมายเลขบัญชีต้องประกอบด้วย {0} ตัวอักษร
validation.btc.invalidAddress=ที่อยู่ไม่ถูกต้อง โปรดตรวจสอบแบบฟอร์มที่อยู่
validation.xmr.invalidAddress=ที่อยู่ไม่ถูกต้อง โปรดตรวจสอบแบบฟอร์มที่อยู่
validation.integerOnly=โปรดป้อนตัวเลขจำนวนเต็มเท่านั้น
validation.inputError=การป้อนข้อมูลของคุณเกิดข้อผิดพลาด: \n{0}
validation.btc.exceedsMaxTradeLimit=ขีดจำกัดการเทรดของคุณคือ {0}
validation.xmr.exceedsMaxTradeLimit=ขีดจำกัดการเทรดของคุณคือ {0}
validation.nationalAccountId={0} ต้องประกอบด้วย {1} ตัวเลข
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=Tôi hiểu
shared.na=Không áp dụng
shared.shutDown=Đóng
shared.reportBug=Report bug on GitHub
shared.buyBitcoin=Mua bitcoin
shared.sellBitcoin=Bán bitcoin
shared.buyMonero=Mua monero
shared.sellMonero=Bán monero
shared.buyCurrency=Mua {0}
shared.sellCurrency=Bán {0}
shared.buyingBTCWith=đang mua BTC với {0}
shared.sellingBTCFor=đang bán BTC với {0}
shared.buyingCurrency=đang mua {0} (đang bán BTC)
shared.sellingCurrency=đang bán {0} (đang mua BTC)
shared.buyingXMRWith=đang mua XMR với {0}
shared.sellingXMRFor=đang bán XMR với {0}
shared.buyingCurrency=đang mua {0} (đang bán XMR)
shared.sellingCurrency=đang bán {0} (đang mua XMR)
shared.buy=mua
shared.sell=bán
shared.buying=đang mua
@ -93,7 +93,7 @@ shared.amountMinMax=Số tiền (min - max)
shared.amountHelp=Nếu mức chào giá được đặt mức tối thiểu và tối đa, bạn có thể giao dịch với bất kỳ số tiền nào trong phạm vi này
shared.remove=Xoá
shared.goTo=Đi đến {0}
shared.BTCMinMax=BTC (min - max)
shared.XMRMinMax=XMR (min - max)
shared.removeOffer=Bỏ chào giá
shared.dontRemoveOffer=Không được bỏ chào giá
shared.editOffer=Chỉnh sửa chào giá
@ -105,14 +105,14 @@ shared.nextStep=Bước tiếp theo
shared.selectTradingAccount=Chọn tài khoản giao dịch
shared.fundFromSavingsWalletButton=Chuyển tiền từ Ví Haveno
shared.fundFromExternalWalletButton=Mở ví ngoài để nộp tiền
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
shared.openDefaultWalletFailed=Failed to open a Monero wallet application. Are you sure you have one installed?
shared.belowInPercent=Thấp hơn % so với giá thị trường
shared.aboveInPercent=Cao hơn % so với giá thị trường
shared.enterPercentageValue=Nhập giá trị %
shared.OR=HOẶC
shared.notEnoughFunds=You don''t have enough funds in your Haveno wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Haveno wallet at Funds > Receive Funds.
shared.waitingForFunds=Đợi nộp tiền...
shared.TheBTCBuyer=Người mua BTC
shared.TheXMRBuyer=Người mua XMR
shared.You=Bạn
shared.sendingConfirmation=Gửi xác nhận...
shared.sendingConfirmationAgain=Hãy gửi lại xác nhận
@ -125,7 +125,7 @@ shared.notUsedYet=Chưa được sử dụng
shared.date=Ngày
shared.sendFundsDetailsWithFee=Sending: {0}\nFrom address: {1}\nTo receiving address: {2}.\nRequired mining fee is: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nThe recipient will receive: {6}\n\nAre you sure you want to withdraw this amount?
# suppress inspection "TrailingSpacesInProperty"
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Bitcoin consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.sendFundsDetailsDust=Haveno detected that this transaction would create a change output which is below the minimum dust threshold (and therefore not allowed by Monero consensus rules). Instead, this dust ({0} satoshi{1}) will be added to the mining fee.\n\n\n
shared.copyToClipboard=Sao chép đến clipboard
shared.language=Ngôn ngữ
shared.country=Quốc gia
@ -169,7 +169,7 @@ shared.payoutTxId=ID giao dịch chi trả
shared.contractAsJson=Hợp đồng định dạng JSON
shared.viewContractAsJson=Xem hợp đồng định dạng JSON
shared.contract.title=Hợp đồng giao dịch có ID: {0}
shared.paymentDetails=Thông tin thanh toán BTC {0}
shared.paymentDetails=Thông tin thanh toán XMR {0}
shared.securityDeposit=Tiền đặt cọc
shared.yourSecurityDeposit=Tiền đặt cọc của bạn
shared.contract=Hợp đồng
@ -179,7 +179,7 @@ shared.messageSendingFailed=Tin nhắn chưa gửi được. Lỗi: {0}
shared.unlock=Mở khóa
shared.toReceive=nhận
shared.toSpend=chi
shared.btcAmount=Số lượng BTC
shared.xmrAmount=Số lượng XMR
shared.yourLanguage=Ngôn ngữ của bạn
shared.addLanguage=Thêm ngôn ngữ
shared.total=Tổng
@ -226,8 +226,8 @@ shared.enabled=Enabled
####################################################################
mainView.menu.market=Thị trường
mainView.menu.buyBtc=Mua BTC
mainView.menu.sellBtc=Bán BTC
mainView.menu.buyXmr=Mua XMR
mainView.menu.sellXmr=Bán XMR
mainView.menu.portfolio=Danh Mục
mainView.menu.funds=Số tiền
mainView.menu.support=Hỗ trợ
@ -245,10 +245,10 @@ mainView.balance.reserved.short=Bảo lưu
mainView.balance.pending.short=Bị khóa
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(Máy chủ nội bộ)
mainView.footer.localhostMoneroNode=(Máy chủ nội bộ)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Đang kết nối với mạng Bitcoin
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=Đang kết nối với mạng Monero
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
mainView.footer.xmrInfo.connectingTo=Đang kết nối với
@ -268,13 +268,13 @@ mainView.bootstrapWarning.bootstrappingToP2PFailed=Bootstrapping to Haveno netwo
mainView.p2pNetworkWarnMsg.noNodesAvailable=Không có seed nodes hay đối tác ngang hàng để yêu cầu dữ liệu.\nVui lòng kiểm tra kết nối internet hoặc thử khởi động lại ứng dụng.
mainView.p2pNetworkWarnMsg.connectionToP2PFailed=Connecting to the Haveno network failed (reported error: {0}).\nPlease check your internet connection or try to restart the application.
mainView.walletServiceErrorMsg.timeout=Kết nối tới mạng Bitcoin không thành công do hết thời gian chờ.
mainView.walletServiceErrorMsg.connectionError=Kết nối tới mạng Bitcoin không thành công do lỗi: {0}
mainView.walletServiceErrorMsg.timeout=Kết nối tới mạng Monero không thành công do hết thời gian chờ.
mainView.walletServiceErrorMsg.connectionError=Kết nối tới mạng Monero không thành công do lỗi: {0}
mainView.walletServiceErrorMsg.rejectedTxException=A transaction was rejected from the network.\n\n{0}
mainView.networkWarning.allConnectionsLost=Mất kết nối tới tất cả mạng ngang hàng {0}.\nCó thể bạn mất kết nối internet hoặc máy tính đang ở chế độ standby.
mainView.networkWarning.localhostBitcoinLost=Mất kết nối tới nút Bitcoin máy chủ nội bộ.\nVui lòng khởi động lại ứng dụng Haveno để nối với nút Bitcoin khác hoặc khởi động lại nút Bitcoin máy chủ nội bộ.
mainView.networkWarning.localhostMoneroLost=Mất kết nối tới nút Monero máy chủ nội bộ.\nVui lòng khởi động lại ứng dụng Haveno để nối với nút Monero khác hoặc khởi động lại nút Monero máy chủ nội bộ.
mainView.version.update=(Có cập nhật)
@ -294,14 +294,14 @@ market.offerBook.buyWithTraditional=Mua {0}
market.offerBook.sellWithTraditional=Bán {0}
market.offerBook.sellOffersHeaderLabel=Bán {0} cho
market.offerBook.buyOffersHeaderLabel=Mua {0} từ
market.offerBook.buy=Tôi muốn mua bitcoin
market.offerBook.sell=Tôi muốn bán bitcoin
market.offerBook.buy=Tôi muốn mua monero
market.offerBook.sell=Tôi muốn bán monero
# SpreadView
market.spread.numberOfOffersColumn=Tất cả chào giá ({0})
market.spread.numberOfBuyOffersColumn=Mua BTC ({0})
market.spread.numberOfSellOffersColumn=Bán BTC ({0})
market.spread.totalAmountColumn=Tổng số BTC ({0})
market.spread.numberOfBuyOffersColumn=Mua XMR ({0})
market.spread.numberOfSellOffersColumn=Bán XMR ({0})
market.spread.totalAmountColumn=Tổng số XMR ({0})
market.spread.spreadColumn=Chênh lệch giá
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=Crypto accounts do not feature signing or aging
offerbook.nrOffers=Số chào giá: {0}
offerbook.volume={0} (min - max)
offerbook.deposit=Deposit BTC (%)
offerbook.deposit=Deposit XMR (%)
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
offerbook.createOfferToBuy=Tạo chào giá mua mới {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=Số lượng đã được làm tròn để t
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=Nhập số tiền bằng BTC
createOffer.amount.prompt=Nhập số tiền bằng XMR
createOffer.price.prompt=Nhập giá
createOffer.volume.prompt=Nhập số tiền bằng {0}
createOffer.amountPriceBox.amountDescription=Số tiền BTC đến {0}
createOffer.amountPriceBox.amountDescription=Số tiền XMR đến {0}
createOffer.amountPriceBox.buy.volumeDescription=Số tiền {0} để chi trả
createOffer.amountPriceBox.sell.volumeDescription=Số tiền {0} để nhận
createOffer.amountPriceBox.minAmountDescription=Số tiền BTC nhỏ nhất
createOffer.amountPriceBox.minAmountDescription=Số tiền XMR nhỏ nhất
createOffer.securityDeposit.prompt=Tiền đặt cọc
createOffer.fundsBox.title=Nộp tiền cho chào giá của bạn
createOffer.fundsBox.offerFee=Phí giao dịch
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=Bạn sẽ luôn nhận {0}% cao hơn so v
createOffer.info.buyBelowMarketPrice=Bạn sẽ luôn trả {0}% thấp hơn so với giá thị trường hiện tại vì báo giá của bạn sẽ luôn được cập nhật.
createOffer.warning.sellBelowMarketPrice=Bạn sẽ luôn nhận {0}% thấp hơn so với giá thị trường hiện tại vì báo giá của bạn sẽ luôn được cập nhật.
createOffer.warning.buyAboveMarketPrice=Bạn sẽ luôn trả {0}% cao hơn so với giá thị trường hiện tại vì báo giá của bạn sẽ luôn được cập nhật.
createOffer.tradeFee.descriptionBTCOnly=Phí giao dịch
createOffer.tradeFee.descriptionXMROnly=Phí giao dịch
createOffer.tradeFee.descriptionBSQEnabled=Chọn loại tiền trả phí giao dịch
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,15 +477,15 @@ createOffer.minSecurityDepositUsed=Min. buyer security deposit is used
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=Nhập giá trị bằng BTC
takeOffer.amountPriceBox.buy.amountDescription=Số lượng BTC bán
takeOffer.amountPriceBox.sell.amountDescription=Số lượng BTC mua
takeOffer.amountPriceBox.priceDescription=Giá mỗi bitcoin bằng {0}
takeOffer.amount.prompt=Nhập giá trị bằng XMR
takeOffer.amountPriceBox.buy.amountDescription=Số lượng XMR bán
takeOffer.amountPriceBox.sell.amountDescription=Số lượng XMR mua
takeOffer.amountPriceBox.priceDescription=Giá mỗi monero bằng {0}
takeOffer.amountPriceBox.amountRangeDescription=Số lượng khả dụng
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=Giá trị bạn vừa nhập vượt quá số ký tự thập phân cho phép.\nGiá trị phải được điều chỉnh về 4 số thập phân.
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=Giá trị bạn vừa nhập vượt quá số ký tự thập phân cho phép.\nGiá trị phải được điều chỉnh về 4 số thập phân.
takeOffer.validation.amountSmallerThanMinAmount=Số tiền không được nhỏ hơn giá trị nhỏ nhất của lệnh.
takeOffer.validation.amountLargerThanOfferAmount=Số tiền nhập không được cao hơn số tiền cao nhất của lệnh
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Giá trị nhập này sẽ làm thay đổi đối với người bán BTC.
takeOffer.validation.amountLargerThanOfferAmountMinusFee=Giá trị nhập này sẽ làm thay đổi đối với người bán XMR.
takeOffer.fundsBox.title=Nộp tiền cho giao dịch của bạn
takeOffer.fundsBox.isOfferAvailable=Kiểm tra xem có chào giá không ...
takeOffer.fundsBox.tradeAmount=Số tiền để bán
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=The deposit transaction is still not conf
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=Hãy chuyển từ ví ngoài {0} của bạn\n{1} cho người bán BTC.\n\n
portfolio.pending.step2_buyer.crypto=Hãy chuyển từ ví ngoài {0} của bạn\n{1} cho người bán XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=Hãy đến ngân hàng và thanh toán {0} cho người bán BTC.\n\n
portfolio.pending.step2_buyer.cash.extra=YÊU CẦU QUAN TRỌNG:\nSau khi bạn đã thanh toán xong hãy viết lên giấy biên nhận: KHÔNG HOÀN TRẢ.\nSau đó xé thành 2 phần, chụp ảnh và gửi tới email của người bán BTC.
portfolio.pending.step2_buyer.cash=Hãy đến ngân hàng và thanh toán {0} cho người bán XMR.\n\n
portfolio.pending.step2_buyer.cash.extra=YÊU CẦU QUAN TRỌNG:\nSau khi bạn đã thanh toán xong hãy viết lên giấy biên nhận: KHÔNG HOÀN TRẢ.\nSau đó xé thành 2 phần, chụp ảnh và gửi tới email của người bán XMR.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=Vui lòng trả {0} cho người bán BTC qua MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=Yêu cầu quan trọng:\nSau khi bạn hoàn thành chi trả hãy gửi Số xác thực và hình chụp hoá đơn qua email cho người bán BTC.\nHoá đơn phải chỉ rõ họ tên đầy đủ, quốc gia, tiểu bang và số tiền. Email người bán là: {0}.
portfolio.pending.step2_buyer.moneyGram=Vui lòng trả {0} cho người bán XMR qua MoneyGram.\n\n
portfolio.pending.step2_buyer.moneyGram.extra=Yêu cầu quan trọng:\nSau khi bạn hoàn thành chi trả hãy gửi Số xác thực và hình chụp hoá đơn qua email cho người bán XMR.\nHoá đơn phải chỉ rõ họ tên đầy đủ, quốc gia, tiểu bang và số tiền. Email người bán là: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=Hãy thanh toán {0} cho người bán BTC bằng cách sử dụng Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=YÊU CẦU QUAN TRỌNG:\nSau khi bạn đã thanh toán xong hãy gửi MTCN (số theo dõi) và ảnh giấy biên nhận bằng email cho người bán BTC.\nGiấy biên nhận phải ghi rõ họ tên của người bán, thành phố, quốc gia và số tiền. Địa chỉ email của người bán là: {0}.
portfolio.pending.step2_buyer.westernUnion=Hãy thanh toán {0} cho người bán XMR bằng cách sử dụng Western Union.\n\n
portfolio.pending.step2_buyer.westernUnion.extra=YÊU CẦU QUAN TRỌNG:\nSau khi bạn đã thanh toán xong hãy gửi MTCN (số theo dõi) và ảnh giấy biên nhận bằng email cho người bán XMR.\nGiấy biên nhận phải ghi rõ họ tên của người bán, thành phố, quốc gia và số tiền. Địa chỉ email của người bán là: {0}.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=Hãy gửi {0} bằng \"Phiếu chuyển tiền US\" cho người bán BTC.\n\n
portfolio.pending.step2_buyer.postal=Hãy gửi {0} bằng \"Phiếu chuyển tiền US\" cho người bán XMR.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=Vui lòng liên hệ người bán BTC và cung cấp số liên hệ và sắp xếp cuộc hẹn để thanh toán {0}.\n\n
portfolio.pending.step2_buyer.f2f=Vui lòng liên hệ người bán XMR và cung cấp số liên hệ và sắp xếp cuộc hẹn để thanh toán {0}.\n\n
portfolio.pending.step2_buyer.startPaymentUsing=Thanh toán bắt đầu sử dụng {0}
portfolio.pending.step2_buyer.recipientsAccountData=Recipients {0}
portfolio.pending.step2_buyer.amountToTransfer=Số tiền chuyển
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=Tài khoản thanh toán sẽ sử d
portfolio.pending.step2_buyer.paymentSent=Bắt đầu thanh toán
portfolio.pending.step2_buyer.warn=You still have not done your {0} payment!\nPlease note that the trade has to be completed by {1}.
portfolio.pending.step2_buyer.openForDispute=You have not completed your payment!\nThe max. period for the trade has elapsed.Please contact the mediator for assistance.
portfolio.pending.step2_buyer.paperReceipt.headline=Bạn đã gửi giấy biên nhận cho người bán BTC chưa?
portfolio.pending.step2_buyer.paperReceipt.msg=Remember:\nBạn cần phải viết trên giấy biên nhận: KHÔNG HOÀN TRẢ.\nSau đó xé thành 2 phần, chụp ảnh và gửi đến email của người bán BTC.
portfolio.pending.step2_buyer.paperReceipt.headline=Bạn đã gửi giấy biên nhận cho người bán XMR chưa?
portfolio.pending.step2_buyer.paperReceipt.msg=Remember:\nBạn cần phải viết trên giấy biên nhận: KHÔNG HOÀN TRẢ.\nSau đó xé thành 2 phần, chụp ảnh và gửi đến email của người bán XMR.
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=Gửi số xác nhận và hoá đơn
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Bạn cần gửi số xác thực và ảnh chụp của hoá đơn qua email đến người bán BTC.\nHoá đơn phải ghi rõ họ tên đầy đủ người bán, quốc gia, tiểu bang và số lượng. Email người bán là: {0}.\n\nBạn đã gửi số xác thực và hợp đồng cho người bán?
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=Bạn cần gửi số xác thực và ảnh chụp của hoá đơn qua email đến người bán XMR.\nHoá đơn phải ghi rõ họ tên đầy đủ người bán, quốc gia, tiểu bang và số lượng. Email người bán là: {0}.\n\nBạn đã gửi số xác thực và hợp đồng cho người bán?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=Gửi MTCN và biên nhận
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Bạn cần phải gửi MTCN (số theo dõi) và ảnh chụp giấy biên nhận bằng email cho người bán BTC.\nGiấy biên nhận phải nêu rõ họ tên, thành phố, quốc gia của người bán và số tiền. Địa chỉ email của người bán là: {0}.\n\nBạn đã gửi MTCN và hợp đồng cho người bán chưa?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=Bạn cần phải gửi MTCN (số theo dõi) và ảnh chụp giấy biên nhận bằng email cho người bán XMR.\nGiấy biên nhận phải nêu rõ họ tên, thành phố, quốc gia của người bán và số tiền. Địa chỉ email của người bán là: {0}.\n\nBạn đã gửi MTCN và hợp đồng cho người bán chưa?
portfolio.pending.step2_buyer.halCashInfo.headline=Gửi mã HalCash
portfolio.pending.step2_buyer.halCashInfo.msg=Bạn cần nhắn tin mã HalCash và mã giao dịch ({0}) tới người bán BTC. \nSố điện thoại của người bán là {1}.\n\nBạn đã gửi mã tới người bán chưa?
portfolio.pending.step2_buyer.halCashInfo.msg=Bạn cần nhắn tin mã HalCash và mã giao dịch ({0}) tới người bán XMR. \nSố điện thoại của người bán là {1}.\n\nBạn đã gửi mã tới người bán chưa?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=Some banks might verify the receiver's name. Faster Payments accounts created in old Haveno clients do not provide the receiver's name, so please use trade chat to obtain it (if needed).
portfolio.pending.step2_buyer.confirmStart.headline=Xác nhận rằng bạn đã bắt đầu thanh toán
portfolio.pending.step2_buyer.confirmStart.msg=Bạn đã kích hoạt thanh toán {0} cho Đối tác giao dịch của bạn chưa?
portfolio.pending.step2_buyer.confirmStart.yes=Có, tôi đã bắt đầu thanh toán
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=You have not provided proof of payment
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the BTC as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=You have not entered the transaction ID and the transaction key.\n\nBy not providing this data the peer cannot use the auto-confirm feature to release the XMR as soon the XMR has been received.\nBeside that, Haveno requires that the sender of the XMR transaction is able to provide this information to the mediator or arbitrator in case of a dispute.\nSee more details on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades].
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=Input is not a 32 byte hexadecimal value
portfolio.pending.step2_buyer.confirmStart.warningButton=Ignore and continue anyway
portfolio.pending.step2_seller.waitPayment.headline=Đợi thanh toán
portfolio.pending.step2_seller.f2fInfo.headline=Thông tin liên lạc của người mua
portfolio.pending.step2_seller.waitPayment.msg=Giao dịch đặt cọc có ít nhất một xác nhận blockchain.\nBạn cần phải đợi cho đến khi người mua BTC bắt đầu thanh toán {0}.
portfolio.pending.step2_seller.warn=Người mua BTC vẫn chưa thanh toán {0}.\nBạn cần phải đợi cho đến khi người mua bắt đầu thanh toán.\nNếu giao dịch không được hoàn thành vào {1} trọng tài sẽ điều tra.
portfolio.pending.step2_seller.openForDispute=The BTC buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
portfolio.pending.step2_seller.waitPayment.msg=Giao dịch đặt cọc có ít nhất một xác nhận blockchain.\nBạn cần phải đợi cho đến khi người mua XMR bắt đầu thanh toán {0}.
portfolio.pending.step2_seller.warn=Người mua XMR vẫn chưa thanh toán {0}.\nBạn cần phải đợi cho đến khi người mua bắt đầu thanh toán.\nNếu giao dịch không được hoàn thành vào {1} trọng tài sẽ điều tra.
portfolio.pending.step2_seller.openForDispute=The XMR buyer has not started their payment!\nThe max. allowed period for the trade has elapsed.\nYou can wait longer and give the trading peer more time or contact the mediator for assistance.
tradeChat.chatWindowTitle=Chat window for trade with ID ''{0}''
tradeChat.openChat=Open chat window
tradeChat.rules=You can communicate with your trade peer to resolve potential problems with this trade.\nIt is not mandatory to reply in the chat.\nIf a trader violates any of the rules below, open a dispute and report it to the mediator or arbitrator.\n\nChat rules:\n\t● Do not send any links (risk of malware). You can send the transaction ID and the name of a block explorer.\n\t● Do not send your seed words, private keys, passwords or other sensitive information!\n\t● Do not encourage trading outside of Haveno (no security).\n\t● Do not engage in any form of social engineering scam attempts.\n\t● If a peer is not responding and prefers to not communicate via chat, respect their decision.\n\t● Keep conversation scope limited to the trade. This chat is not a messenger replacement or troll-box.\n\t● Keep conversation friendly and respectful.
@ -666,26 +666,26 @@ message.state.ACKNOWLEDGED=Người nhận xác nhận tin nhắn
# suppress inspection "UnusedProperty"
message.state.FAILED=Gửi tin nhắn không thành công
portfolio.pending.step3_buyer.wait.headline=Đợi người bán BTC xác nhận thanh toán
portfolio.pending.step3_buyer.wait.info=Đợi người bán BTC xác nhận đã nhận thanh toán {0}.
portfolio.pending.step3_buyer.wait.headline=Đợi người bán XMR xác nhận thanh toán
portfolio.pending.step3_buyer.wait.info=Đợi người bán XMR xác nhận đã nhận thanh toán {0}.
portfolio.pending.step3_buyer.wait.msgStateInfo.label=Thông báo trạng thái thanh toán đã bắt đầu
portfolio.pending.step3_buyer.warn.part1a=trên blockchain {0}
portfolio.pending.step3_buyer.warn.part1b=tại nhà cung cấp thanh toán của bạn (VD: ngân hàng)
portfolio.pending.step3_buyer.warn.part2=The BTC seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The BTC seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
portfolio.pending.step3_buyer.warn.part2=The XMR seller still has not confirmed your payment. Please check {0} if the payment sending was successful.
portfolio.pending.step3_buyer.openForDispute=The XMR seller has not confirmed your payment! The max. period for the trade has elapsed. You can wait longer and give the trading peer more time or request assistance from the mediator.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=Đối tác giao dịch của bạn đã xác nhận rằng họ đã kích hoạt thanh toán {0}.\n\n
portfolio.pending.step3_seller.crypto.explorer=Trên trình duyệt blockchain explorer {0} ưa thích của bạn
portfolio.pending.step3_seller.crypto.wallet=Trên ví {0} của bạn
portfolio.pending.step3_seller.crypto={0}Vui lòng kiểm tra {1} xem giao dịch tới địa chỉ nhận của bạn \n{2}\nđã nhận được đủ xác nhận blockchain hay chưa.\nSố tiền thanh toán phải là {3}\n\nBạn có thể copy & paste địa chỉ {4} của bạn từ màn hình chính sau khi đóng cửa sổ này.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=Vì thanh toán được thực hiện qua Tiền gửi tiền mặt nên người mua BTC phải viết rõ \"KHÔNG HOÀN LẠI\" trên giấy biên nhận, xé làm 2 phần và gửi ảnh cho bạn qua email.\n\nĐể tránh bị đòi tiền lại, chỉ xác nhận bạn đã nhận được email và bạn chắc chắn giấy biên nhận là có hiệu lực.\nNếu bạn không chắc chắn, {0}
portfolio.pending.step3_seller.moneyGram=Người mua phải gửi mã số xác nhận và ảnh chụp của hoá đơn qua email.\nHoá đơn cần ghi rõ họ tên đầy đủ, quốc gia, tiêu bang và số lượng. Vui lòng kiểm tra email nếu bạn nhận được số xác thực.\n\nSau khi popup đóng, bạn sẽ thấy tên người mua BTC và địa chỉ để nhận tiền từ MoneyGram.\n\nChỉ xác nhận hoá đơn sau khi bạn hoàn thành việc nhận tiền.
portfolio.pending.step3_seller.westernUnion=Người mua phải gửi cho bạn MTCN (số theo dõi) và ảnh giấy biên nhận qua email.\nGiấy biên nhận phải ghi rõ họ tên của bạn, thành phố, quốc gia và số tiền. Hãy kiểm tra email xem bạn đã nhận được MTCN chưa.\n\nSau khi đóng cửa sổ này, bạn sẽ thấy tên và địa chỉ của người mua BTC để nhận tiền từ Western Union.\n\nChỉ xác nhận giấy biên nhận sau khi bạn đã nhận tiền thành công!
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=Vì thanh toán được thực hiện qua Tiền gửi tiền mặt nên người mua XMR phải viết rõ \"KHÔNG HOÀN LẠI\" trên giấy biên nhận, xé làm 2 phần và gửi ảnh cho bạn qua email.\n\nĐể tránh bị đòi tiền lại, chỉ xác nhận bạn đã nhận được email và bạn chắc chắn giấy biên nhận là có hiệu lực.\nNếu bạn không chắc chắn, {0}
portfolio.pending.step3_seller.moneyGram=Người mua phải gửi mã số xác nhận và ảnh chụp của hoá đơn qua email.\nHoá đơn cần ghi rõ họ tên đầy đủ, quốc gia, tiêu bang và số lượng. Vui lòng kiểm tra email nếu bạn nhận được số xác thực.\n\nSau khi popup đóng, bạn sẽ thấy tên người mua XMR và địa chỉ để nhận tiền từ MoneyGram.\n\nChỉ xác nhận hoá đơn sau khi bạn hoàn thành việc nhận tiền.
portfolio.pending.step3_seller.westernUnion=Người mua phải gửi cho bạn MTCN (số theo dõi) và ảnh giấy biên nhận qua email.\nGiấy biên nhận phải ghi rõ họ tên của bạn, thành phố, quốc gia và số tiền. Hãy kiểm tra email xem bạn đã nhận được MTCN chưa.\n\nSau khi đóng cửa sổ này, bạn sẽ thấy tên và địa chỉ của người mua XMR để nhận tiền từ Western Union.\n\nChỉ xác nhận giấy biên nhận sau khi bạn đã nhận tiền thành công!
portfolio.pending.step3_seller.halCash=Người mua phải gửi mã HalCash cho bạn bằng tin nhắn. Ngoài ra, bạn sẽ nhận được một tin nhắn từ HalCash với thông tin cần thiết để rút EUR từ một máy ATM có hỗ trợ HalCash. \n\nSau khi nhận được tiền từ ATM vui lòng xác nhận lại biên lai thanh toán tại đây!
portfolio.pending.step3_seller.amazonGiftCard=The buyer has sent you an Amazon eGift Card by email or by text message to your mobile phone. Please redeem now the Amazon eGift Card at your Amazon account and once accepted confirm the payment receipt.
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=ID giao dịch
portfolio.pending.step3_seller.xmrTxKey=Transaction key
portfolio.pending.step3_seller.buyersAccount=Buyers account data
portfolio.pending.step3_seller.confirmReceipt=Xác nhận đã nhận được thanh toán
portfolio.pending.step3_seller.buyerStartedPayment=Người mua BTC đã bắt đầu thanh toán {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=Người mua XMR đã bắt đầu thanh toán {0}.\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=Kiểm tra xác nhận blockchain ở ví crypto của bạn hoặc block explorer và xác nhận thanh toán nếu bạn nhận được đủ xác nhận blockchain.
portfolio.pending.step3_seller.buyerStartedPayment.traditional=Kiểm tra tại tài khoản giao dịch của bạn (VD: Tài khoản ngân hàng) và xác nhận khi bạn đã nhận được thanh toán.
portfolio.pending.step3_seller.warn.part1a=trên {0} blockchain
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Bạn đã nhận đượ
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=Please also verify that the name of the sender specified on the trade contract matches the name that appears on your bank statement:\nSender''s name, per trade contract: {0}\n\nIf the names are not exactly the same, don''t confirm payment receipt. Instead, open a dispute by pressing \"alt + o\" or \"option + o\".\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the BTC buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.note=Please note, that as soon you have confirmed the receipt, the locked trade amount will be released to the XMR buyer and the security deposit will be refunded.\n\n
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Xác nhận rằng bạn đã nhận được thanh toán
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=Vâng, tôi đã nhận được thanh toán
portfolio.pending.step3_seller.onPaymentReceived.signer=IMPORTANT: By confirming receipt of payment, you are also verifying the account of the counterparty and signing it accordingly. Since the account of the counterparty hasn't been signed yet, you should delay confirmation of the payment as long as possible to reduce the risk of a chargeback.
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=Phí giao dịch
portfolio.pending.step5_buyer.makersMiningFee=Phí đào
portfolio.pending.step5_buyer.takersMiningFee=Tổng phí đào
portfolio.pending.step5_buyer.refunded=tiền gửi đặt cọc được hoàn lại
portfolio.pending.step5_buyer.withdrawBTC=Rút bitcoin của bạn
portfolio.pending.step5_buyer.withdrawXMR=Rút monero của bạn
portfolio.pending.step5_buyer.amount=Số tiền được rút
portfolio.pending.step5_buyer.withdrawToAddress=rút tới địa chỉ
portfolio.pending.step5_buyer.moveToHavenoWallet=Keep funds in Haveno wallet
@ -732,7 +732,7 @@ portfolio.pending.step5_buyer.alreadyWithdrawn=Số tiền của bạn đã đư
portfolio.pending.step5_buyer.confirmWithdrawal=Xác nhận yêu cầu rút
portfolio.pending.step5_buyer.amountTooLow=Số tiền chuyển nhỏ hơn phí giao dịch và giá trị tx tối thiểu (dust).
portfolio.pending.step5_buyer.withdrawalCompleted.headline=Rút hoàn tất
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Các giao dịch đã hoàn thành của bạn được lưu trong \"Portfolio/Lịch sử\".\nBạn có thể xem lại tất cả giao dịch bitcoin của bạn tại \"Vốn/Giao dịch\"
portfolio.pending.step5_buyer.withdrawalCompleted.msg=Các giao dịch đã hoàn thành của bạn được lưu trong \"Portfolio/Lịch sử\".\nBạn có thể xem lại tất cả giao dịch monero của bạn tại \"Vốn/Giao dịch\"
portfolio.pending.step5_buyer.bought=Bạn đã mua
portfolio.pending.step5_buyer.paid=Bạn đã thanh toán
@ -794,7 +794,7 @@ portfolio.pending.mediationResult.popup.alreadyAccepted=You've already accepted
portfolio.pending.failedTrade.taker.missingTakerFeeTx=The taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked and no trade fee has been paid. You can move this trade to failed trades.
portfolio.pending.failedTrade.maker.missingTakerFeeTx=The peer's taker fee transaction is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked. Your offer is still available to other traders, so you have not lost the maker fee. You can move this trade to failed trades.
portfolio.pending.failedTrade.missingDepositTx=The deposit transaction (the 2-of-2 multisig transaction) is missing.\n\nWithout this tx, the trade cannot be completed. No funds have been locked but your trade fee has been paid. You can make a request to be reimbursed the trade fee here: [HYPERLINK:https://github.com/bisq-network/support/issues]\n\nFeel free to move this trade to failed trades.
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the BTC seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.buyer.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the traditional or crypto payment to the XMR seller, because without the delayed payout tx, arbitration cannot be opened. Instead, open a mediation ticket with Cmd/Ctrl+o. The mediator should suggest that both peers each get back the the full amount of their security deposits (with seller receiving full trade amount back as well). This way, there is no security risk, and only trade fees are lost. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.seller.existingDepositTxButMissingDelayedPayoutTx=The delayed payout transaction is missing but funds have been locked in the deposit transaction.\n\nIf the buyer is also missing the delayed payout transaction, they will be instructed to NOT send the payment and open a mediation ticket instead. You should also open a mediation ticket with Cmd/Ctrl+o. \n\nIf the buyer has not sent payment yet, the mediator should suggest that both peers each get back the full amount of their security deposits (with seller receiving full trade amount back as well). Otherwise the trade amount should go to the buyer. \n\nYou can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.errorMsgSet=There was an error during trade protocol execution.\n\nError: {0}\n\nIt might be that this error is not critical, and the trade can be completed normally. If you are unsure, open a mediation ticket to get advice from Haveno mediators. \n\nIf the error was critical and the trade cannot be completed, you might have lost your trade fee. Request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
portfolio.pending.failedTrade.missingContract=The trade contract is not set.\n\nThe trade cannot be completed and you might have lost your trade fee. If so, you can request a reimbursement for lost trade fees here: [HYPERLINK:https://github.com/bisq-network/support/issues]
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=Nộp tiền ví Haveno
funds.deposit.noAddresses=Chưa có địa chỉ nộp tiền được tạo
funds.deposit.fundWallet=Nộp tiền cho ví của bạn
funds.deposit.withdrawFromWallet=Chuyển tiền từ ví
funds.deposit.amount=Số tiền bằng BTC (tùy chọn)
funds.deposit.amount=Số tiền bằng XMR (tùy chọn)
funds.deposit.generateAddress=Tạo địa chỉ mới
funds.deposit.generateAddressSegwit=Native segwit format (Bech32)
funds.deposit.selectUnused=Vui lòng chọn địa chỉ chưa sử dụng từ bảng trên hơn là tạo một địa chỉ mới.
@ -892,7 +892,7 @@ funds.tx.direction.self=Gửi cho chính bạn
funds.tx.reimbursementRequestTxFee=Yêu cầu bồi hoàn
funds.tx.compensationRequestTxFee=Yêu cầu bồi thường
funds.tx.dustAttackTx=Số dư nhỏ đã nhận
funds.tx.dustAttackTx.popup=Giao dịch này đang gửi một lượng BTC rất nhỏ vào ví của bạn và có thể đây là cách các công ty phân tích chuỗi đang tìm cách theo dõi ví của bạn.\nNếu bạn sử dụng đầu ra giao dịch đó cho một giao dịch chi tiêu, họ sẽ phát hiện ra rằng rất có thể bạn cũng là người sở hửu cái ví kia (nhập coin). \n\nĐể bảo vệ quyền riêng tư của bạn, ví Haveno sẽ bỏ qua các đầu ra có số dư nhỏ dành cho mục đích chi tiêu cũng như hiển thị số dư. Bạn có thể thiết lập ngưỡng khi một đầu ra được cho là có số dư nhỏ trong phần cài đặt.
funds.tx.dustAttackTx.popup=Giao dịch này đang gửi một lượng XMR rất nhỏ vào ví của bạn và có thể đây là cách các công ty phân tích chuỗi đang tìm cách theo dõi ví của bạn.\nNếu bạn sử dụng đầu ra giao dịch đó cho một giao dịch chi tiêu, họ sẽ phát hiện ra rằng rất có thể bạn cũng là người sở hửu cái ví kia (nhập coin). \n\nĐể bảo vệ quyền riêng tư của bạn, ví Haveno sẽ bỏ qua các đầu ra có số dư nhỏ dành cho mục đích chi tiêu cũng như hiển thị số dư. Bạn có thể thiết lập ngưỡng khi một đầu ra được cho là có số dư nhỏ trong phần cài đặt.
####################################################################
# Support
@ -942,8 +942,8 @@ support.savedInMailbox=Tin nhắn lưu trong hộp thư của người nhận
support.arrived=Tin nhắn đã đến người nhận
support.acknowledged=xác nhận tin nhắn đã được gửi bởi người nhận
support.error=Người nhận không thể tiến hành gửi tin nhắn: Lỗi: {0}
support.buyerAddress=Địa chỉ người mua BTC
support.sellerAddress=Địa chỉ người bán BTC
support.buyerAddress=Địa chỉ người mua XMR
support.sellerAddress=Địa chỉ người bán XMR
support.role=Vai trò
support.agent=Support agent
support.state=Trạng thái
@ -951,12 +951,12 @@ support.chat=Chat
support.closed=Đóng
support.open=Mở
support.process=Process
support.buyerMaker=Người mua BTC/Người tạo
support.sellerMaker=Người bán BTC/Người tạo
support.buyerTaker=Người mua BTC/Người nhận
support.sellerTaker=Người bán BTC/Người nhận
support.buyerMaker=Người mua XMR/Người tạo
support.sellerMaker=Người bán XMR/Người tạo
support.buyerTaker=Người mua XMR/Người nhận
support.sellerTaker=Người bán XMR/Người nhận
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the BTC buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the BTC seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.initialInfo=Please enter a description of your problem in the text field below. Add as much information as possible to speed up dispute resolution time.\n\nHere is a check list for information you should provide:\n\t● If you are the XMR buyer: Did you make the Fiat or Crypto transfer? If so, did you click the 'payment started' button in the application?\n\t● If you are the XMR seller: Did you receive the Fiat or Crypto payment? If so, did you click the 'payment received' button in the application?\n\t● Which version of Haveno are you using?\n\t● Which operating system are you using?\n\t● If you encountered an issue with failed transactions please consider switching to a new data directory.\n\t Sometimes the data directory gets corrupted and leads to strange bugs. \n\t See: https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\nPlease make yourself familiar with the basic rules for the dispute process:\n\t● You need to respond to the {0}''s requests within 2 days.\n\t● Mediators respond in between 2 days. Arbitrators respond in between 5 business days.\n\t● The maximum period for a dispute is 14 days.\n\t● You need to cooperate with the {1} and provide the information they request to make your case.\n\t● You accepted the rules outlined in the dispute document in the user agreement when you first started the application.\n\nYou can read more about the dispute process at: {2}
support.systemMsg=Tin nhắn hệ thống: {0}
support.youOpenedTicket=Bạn đã mở yêu cầu hỗ trợ.\n\n{0}\n\nPhiên bản Haveno: {1}
support.youOpenedDispute=Bạn đã mở yêu cầu giải quyết tranh chấp.\n\n{0}\n\nPhiên bản Haveno: {1}
@ -980,13 +980,13 @@ settings.tab.network=Thông tin mạng
settings.tab.about=Về
setting.preferences.general=Tham khảo chung
setting.preferences.explorer=Bitcoin Explorer
setting.preferences.explorer=Monero Explorer
setting.preferences.deviation=Sai lệch tối đa so với giá thị trường
setting.preferences.avoidStandbyMode=Tránh để chế độ chờ
setting.preferences.autoConfirmXMR=XMR auto-confirm
setting.preferences.autoConfirmEnabled=Enabled
setting.preferences.autoConfirmRequiredConfirmations=Required confirmations
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (BTC)
setting.preferences.autoConfirmMaxTradeSize=Max. trade amount (XMR)
setting.preferences.autoConfirmServiceAddresses=Monero Explorer URLs (uses Tor, except for localhost, LAN IP addresses, and *.local hostnames)
setting.preferences.deviationToLarge=Giá trị không được phép lớn hơn {0}%.
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
@ -1023,29 +1023,29 @@ settings.preferences.editCustomExplorer.name=Tên
settings.preferences.editCustomExplorer.txUrl=Transaction URL
settings.preferences.editCustomExplorer.addressUrl=Address URL
settings.net.btcHeader=Mạng Bitcoin
settings.net.xmrHeader=Mạng Monero
settings.net.p2pHeader=Haveno network
settings.net.onionAddressLabel=Địa chỉ onion của tôi
settings.net.xmrNodesLabel=Sử dụng nút Monero thông dụng
settings.net.moneroPeersLabel=Các đối tác được kết nối
settings.net.useTorForXmrJLabel=Sử dụng Tor cho mạng Monero
settings.net.moneroNodesLabel=nút Monero để kết nối
settings.net.useProvidedNodesRadio=Sử dụng các nút Bitcoin Core đã cung cấp
settings.net.usePublicNodesRadio=Sử dụng mạng Bitcoin công cộng
settings.net.useCustomNodesRadio=Sử dụng nút Bitcoin Core thông dụng
settings.net.useProvidedNodesRadio=Sử dụng các nút Monero Core đã cung cấp
settings.net.usePublicNodesRadio=Sử dụng mạng Monero công cộng
settings.net.useCustomNodesRadio=Sử dụng nút Monero Core thông dụng
settings.net.warn.usePublicNodes=If you use public Monero nodes, you are subject to any risk of using untrusted remote nodes.\n\nPlease read more details at [HYPERLINK:https://www.getmonero.org/resources/moneropedia/remote-node.html].\n\nAre you sure you want to use public nodes?
settings.net.warn.usePublicNodes.useProvided=Không, sử dụng nút được cung cấp
settings.net.warn.usePublicNodes.usePublic=Vâng, sử dụng nút công cộng
settings.net.warn.useCustomNodes.B2XWarning=Vui lòng chắc chắn rằng nút Bitcoin của bạn là nút Bitcoin Core đáng tin cậy!\n\nKết nối với nút không tuân thủ nguyên tắc đồng thuận Bitcoin Core có thể làm hỏng ví của bạn và gây ra các vấn đề trong quá trình giao dịch.\n\nNgười dùng kết nối với nút vi phạm nguyên tắc đồng thuận chịu trách nhiệm đối với các thiệt hại mà việc này gây ra. Các khiếu nại do điều này gây ra sẽ được quyết định theo hướng có lợi cho đối tác bên kia. Sẽ không có hỗ trợ về mặt kỹ thuật nào cho người dùng không tuân thủ cơ chế cảnh báo và bảo vệ của chúng tôi!
settings.net.warn.invalidBtcConfig=Connection to the Bitcoin network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Bitcoin nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Bitcoin node when starting. If it is found, Haveno will communicate with the Bitcoin network exclusively through it.
settings.net.warn.useCustomNodes.B2XWarning=Vui lòng chắc chắn rằng nút Monero của bạn là nút Monero Core đáng tin cậy!\n\nKết nối với nút không tuân thủ nguyên tắc đồng thuận Monero Core có thể làm hỏng ví của bạn và gây ra các vấn đề trong quá trình giao dịch.\n\nNgười dùng kết nối với nút vi phạm nguyên tắc đồng thuận chịu trách nhiệm đối với các thiệt hại mà việc này gây ra. Các khiếu nại do điều này gây ra sẽ được quyết định theo hướng có lợi cho đối tác bên kia. Sẽ không có hỗ trợ về mặt kỹ thuật nào cho người dùng không tuân thủ cơ chế cảnh báo và bảo vệ của chúng tôi!
settings.net.warn.invalidXmrConfig=Connection to the Monero network failed because your configuration is invalid.\n\nYour configuration has been reset to use the provided Monero nodes instead. You will need to restart the application.
settings.net.localhostXmrNodeInfo=Background information: Haveno looks for a local Monero node when starting. If it is found, Haveno will communicate with the Monero network exclusively through it.
settings.net.p2PPeersLabel=Các đối tác được kết nối
settings.net.onionAddressColumn=Địa chỉ onion
settings.net.creationDateColumn=Đã thiết lập
settings.net.connectionTypeColumn=Vào/Ra
settings.net.sentDataLabel=Sent data statistics
settings.net.receivedDataLabel=Received data statistics
settings.net.chainHeightLabel=Latest BTC block height
settings.net.chainHeightLabel=Latest XMR block height
settings.net.roundTripTimeColumn=Khứ hồi
settings.net.sentBytesColumn=Đã gửi
settings.net.receivedBytesColumn=Đã nhận
@ -1060,7 +1060,7 @@ settings.net.needRestart=Bạn cần khởi động lại ứng dụng để tha
settings.net.notKnownYet=Chưa biết...
settings.net.sentData=Sent data: {0}, {1} messages, {2} messages/sec
settings.net.receivedData=Received data: {0}, {1} messages, {2} messages/sec
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=[Địa chỉ IP:tên cổng | máy chủ:cổng | Địa chỉ onion:cổng] (tách bằng dấu phẩy). Cổng có thể bỏ qua nếu sử dụng mặc định (8333).
settings.net.seedNode=nút cung cấp thông tin
settings.net.directPeer=Đối tác (trực tiếp)
@ -1069,7 +1069,7 @@ settings.net.peer=Đối tác
settings.net.inbound=chuyến về
settings.net.outbound=chuyến đi
setting.about.aboutHaveno=Về Haveno
setting.about.about=Haveno là một phần mềm mã nguồn mở nhằm hỗ trợ quá trình trao đổi giữa bitcoin và tiền tệ quốc gia (và các loại tiền crypto khác) thông qua một mạng lưới ngang hàng phi tập trung hoạt động trên cơ sở bảo vệ tối đa quyền riêng tư của người dùng. Vui lòng tìm hiểu thêm về Haveno trên trang web dự án của chúng tôi.
setting.about.about=Haveno là một phần mềm mã nguồn mở nhằm hỗ trợ quá trình trao đổi giữa monero và tiền tệ quốc gia (và các loại tiền crypto khác) thông qua một mạng lưới ngang hàng phi tập trung hoạt động trên cơ sở bảo vệ tối đa quyền riêng tư của người dùng. Vui lòng tìm hiểu thêm về Haveno trên trang web dự án của chúng tôi.
setting.about.web=Trang web Haveno
setting.about.code=Mã nguồn
setting.about.agpl=Giấy phép AGPL
@ -1106,7 +1106,7 @@ setting.about.shortcuts.openDispute.value=Select pending trade and click: {0}
setting.about.shortcuts.walletDetails=Open wallet details window
setting.about.shortcuts.openEmergencyBtcWalletTool=Open emergency wallet tool for BTC wallet
setting.about.shortcuts.openEmergencyXmrWalletTool=Open emergency wallet tool for XMR wallet
setting.about.shortcuts.showTorLogs=Toggle log level for Tor messages between DEBUG and WARN
@ -1132,7 +1132,7 @@ setting.about.shortcuts.sendPrivateNotification=Send private notification to pee
setting.about.shortcuts.sendPrivateNotification.value=Open peer info at avatar and press: {0}
setting.info.headline=New XMR auto-confirm Feature
setting.info.msg=When selling BTC for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of BTC per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
setting.info.msg=When selling XMR for XMR you can use the auto-confirm feature to verify that the correct amount of XMR was sent to your wallet so that Haveno can automatically mark the trade as complete, making trades quicker for everyone.\n\nAuto-confirm checks the XMR transaction on at least 2 XMR explorer nodes using the private transaction key provided by the XMR sender. By default, Haveno uses explorer nodes run by Haveno contributors, but we recommend running your own XMR explorer node for maximum privacy and security.\n\nYou can also set the maximum amount of XMR per trade to auto-confirm as well as the number of required confirmations here in Settings.\n\nSee more details (including how to set up your own explorer node) on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades]
####################################################################
# Account
####################################################################
@ -1141,7 +1141,7 @@ account.tab.mediatorRegistration=Mediator registration
account.tab.refundAgentRegistration=Refund agent registration
account.tab.signing=Signing
account.info.headline=Chào mừng đến với tài khoản Haveno của bạn
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Bitcoin wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Bitcoin wallet seed words (see tab on the top) and consider adding a password before funding. Bitcoin deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Bitcoin addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.info.msg=Here you can add trading accounts for national currencies & cryptos and create a backup of your wallet & account data.\n\nA new Monero wallet was created the first time you started Haveno.\n\nWe strongly recommend that you write down your Monero wallet seed words (see tab on the top) and consider adding a password before funding. Monero deposits and withdrawals are managed in the \"Funds\" section.\n\nPrivacy & security note: because Haveno is a decentralized exchange, all your data is kept on your computer. There are no servers, so we have no access to your personal info, your funds, or even your IP address. Data such as bank account numbers, crypto & Monero addresses, etc are only shared with your trading partner to fulfill trades you initiate (in case of a dispute the mediator or arbitrator will see the same data as your trading peer).
account.menu.paymentAccount=Tài khoản tiền tệ quốc gia
account.menu.altCoinsAccountView=Tài khoản Crypto
@ -1152,7 +1152,7 @@ account.menu.backup=Dự phòng
account.menu.notifications=Thông báo
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1209,7 +1209,7 @@ account.crypto.popup.pars.msg=Trading ParsiCoin on Haveno requires that you unde
account.crypto.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Haveno, output scripts need to be in the form: OP_RETURN OP_PUSHDATA, followed by associated data bytes which, after being hex-encoded, constitute addresses. For example, burnt blackcoins with an address 666f6f (“foo” in UTF-8) will have the following script:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\nTo create burnt blackcoins, one may use the “burn” RPC command available in some wallets.\n\nFor possible use cases, one may look at https://ibo.laboratorium.ee .\n\nAs burnt blackcoins are unspendable, they can not be reselled. “Selling” burnt blackcoins means burning ordinary blackcoins (with associated data equal to the destination address).\n\nIn case of a dispute, the BLK seller needs to provide the transaction hash.
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=Trading L-BTC on Haveno requires that you understand the following:\n\nWhen receiving L-BTC for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-BTC into the Liquid Elements Core wallet, or another L-BTC wallet which allows you to obtain the blinding key for your blinded L-BTC address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-BTC address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-BTC receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-BTC on Haveno.
account.crypto.popup.liquidmonero.msg=Trading L-XMR on Haveno requires that you understand the following:\n\nWhen receiving L-XMR for a trade on Haveno, you cannot use the mobile Blockstream Green Wallet app or a custodial/exchange wallet. You must only receive L-XMR into the Liquid Elements Core wallet, or another L-XMR wallet which allows you to obtain the blinding key for your blinded L-XMR address.\n\nIn the event mediation is necessary, or if a trade dispute arises, you must disclose the blinding key for your receiving L-XMR address to the Haveno mediator or refund agent so they can verify the details of your Confidential Transaction on their own Elements Core full node.\n\nFailure to provide the required information to the mediator or refund agent will result in losing the dispute case. In all cases of dispute, the L-XMR receiver bears 100% of the burden of responsibility in providing cryptographic proof to the mediator or refund agent.\n\nIf you do not understand these requirements, do not trade L-XMR on Haveno.
account.traditional.yourTraditionalAccounts=Các tài khoản tiền tệ quốc gia của bạn
@ -1230,12 +1230,12 @@ account.password.setPw.headline=Cài đặt bảo vệ mật khẩu cho ví
account.password.info=Khi bật tính năng bảo vệ bằng mật khẩu, bạn sẽ cần nhập mật khẩu khi khởi chạy ứng dụng, khi rút monero ra khỏi ví và khi hiển thị các từ khóa khôi phục.
account.seed.backup.title=Sao lưu dự phòng từ khởi tạo ví của bạn
account.seed.info=Hãy viết ra từ khởi tạo ví của bạn và ngày! Bạn có thể khôi phục ví của bạn bất cứ lúc nào với các từ khởi tạo và ngày này.\nTừ khởi tạo được sử dụng chung cho cả ví BTC và BSQ.\n\nBạn nên viết các từ khởi tạo ra tờ giấy. Không được lưu trên máy tính.\n\nLưu ý rằng từ khởi tạo KHÔNG PHẢI là phương án thay thế cho sao lưu dự phòng.\nBạn cần sao lưu dự phòng toàn bộ thư mục của ứng dụng tại màn hình \"Tài khoản/Sao lưu dự phòng\" để khôi phục trạng thái và dữ liệu ứng dụng.\nNhập từ khởi tạo chỉ được thực hiện trong tình huống khẩn cấp. Ứng dụng sẽ không hoạt động mà không có dự phòng các file dữ liệu và khóa phù hợp!
account.seed.info=Hãy viết ra từ khởi tạo ví của bạn và ngày! Bạn có thể khôi phục ví của bạn bất cứ lúc nào với các từ khởi tạo và ngày này.\nTừ khởi tạo được sử dụng chung cho cả ví XMR và BSQ.\n\nBạn nên viết các từ khởi tạo ra tờ giấy. Không được lưu trên máy tính.\n\nLưu ý rằng từ khởi tạo KHÔNG PHẢI là phương án thay thế cho sao lưu dự phòng.\nBạn cần sao lưu dự phòng toàn bộ thư mục của ứng dụng tại màn hình \"Tài khoản/Sao lưu dự phòng\" để khôi phục trạng thái và dữ liệu ứng dụng.\nNhập từ khởi tạo chỉ được thực hiện trong tình huống khẩn cấp. Ứng dụng sẽ không hoạt động mà không có dự phòng các file dữ liệu và khóa phù hợp!
account.seed.backup.warning=Please note that the seed words are NOT a replacement for a backup.\nYou need to create a backup of the whole application directory from the \"Account/Backup\" screen to recover application state and data.\nImporting seed words is only recommended for emergency cases. The application will not be functional without a proper backup of the database files and keys!\n\nSee the wiki page [HYPERLINK:https://haveno.exchange/wiki/Backing_up_application_data] for extended info.
account.seed.warn.noPw.msg=Bạn đã tạo mật khẩu ví để bảo vệ tránh hiển thị Seed words.\n\nBạn có muốn hiển thị Seed words?
account.seed.warn.noPw.yes=Có và không hỏi lại
account.seed.enterPw=Nhập mật khẩu để xem seed words
account.seed.restore.info=Vui lòng tạo sao lưu dự phòng trước khi tiến hành khôi phục ví từ các từ khởi tạo. Phải hiểu rằng việc khôi phục ví chỉ nên thực hiện trong các trường hợp khẩn cấp và có thể gây sự cố với cơ sở dữ liệu ví bên trong.\nĐây không phải là một cách sao lưu dự phòng! Vui lòng sử dụng sao lưu dự phòng từ thư mục dữ liệu của ứng dụng để khôi phục trạng thái ban đầu của ứng dụng.\n\nSau khi khôi phục ứng dụng sẽ tự động tắt. Sau khi bạn khởi động lại, ứng dụng sẽ tái đồng bộ với mạng Bitcoin. Quá trình này có thể mất một lúc và tiêu tốn khá nhiều CPU, đặc biệt là khi ví đã cũ và có nhiều giao dịch. Vui lòng không làm gián đoạn quá trình này, nếu không bạn có thể sẽ phảỉ xóa file chuỗi SPV một lần nữa hoặc lặp lại quy trình khôi phục.
account.seed.restore.info=Vui lòng tạo sao lưu dự phòng trước khi tiến hành khôi phục ví từ các từ khởi tạo. Phải hiểu rằng việc khôi phục ví chỉ nên thực hiện trong các trường hợp khẩn cấp và có thể gây sự cố với cơ sở dữ liệu ví bên trong.\nĐây không phải là một cách sao lưu dự phòng! Vui lòng sử dụng sao lưu dự phòng từ thư mục dữ liệu của ứng dụng để khôi phục trạng thái ban đầu của ứng dụng.\n\nSau khi khôi phục ứng dụng sẽ tự động tắt. Sau khi bạn khởi động lại, ứng dụng sẽ tái đồng bộ với mạng Monero. Quá trình này có thể mất một lúc và tiêu tốn khá nhiều CPU, đặc biệt là khi ví đã cũ và có nhiều giao dịch. Vui lòng không làm gián đoạn quá trình này, nếu không bạn có thể sẽ phảỉ xóa file chuỗi SPV một lần nữa hoặc lặp lại quy trình khôi phục.
account.seed.restore.ok=Được, hãy thực hiện khôi phục và tắt ứng dụng Haveno
@ -1260,13 +1260,13 @@ account.notifications.trade.label=Nhận tin nhắn giao dịch
account.notifications.market.label=Nhận thông báo chào hàng
account.notifications.price.label=Nhận thông báo về giá
account.notifications.priceAlert.title=Thông báo về giá
account.notifications.priceAlert.high.label=Thông báo nếu giá BTC cao hơn
account.notifications.priceAlert.low.label=Thông báo nếu giá BTC thấp hơn
account.notifications.priceAlert.high.label=Thông báo nếu giá XMR cao hơn
account.notifications.priceAlert.low.label=Thông báo nếu giá XMR thấp hơn
account.notifications.priceAlert.setButton=Đặt thông báo giá
account.notifications.priceAlert.removeButton=Gỡ thông báo giá
account.notifications.trade.message.title=Trạng thái giao dịch thay đổi
account.notifications.trade.message.msg.conf=Lệnh nạp tiền cho giao dịch có mã là {0} đã được xác nhận. Vui lòng mở ứng dụng Haveno và bắt đầu thanh toán.
account.notifications.trade.message.msg.started=Người mua BTC đã tiến hành thanh toán cho giao dịch có mã là {0}.
account.notifications.trade.message.msg.started=Người mua XMR đã tiến hành thanh toán cho giao dịch có mã là {0}.
account.notifications.trade.message.msg.completed=Giao dịch có mã là {0} đã hoàn thành.
account.notifications.offer.message.title=Chào giá của bạn đã được chấp nhận
account.notifications.offer.message.msg=Chào giá mã {0} của bạn đã được chấp nhận
@ -1276,10 +1276,10 @@ account.notifications.dispute.message.msg=Bạn nhận được một tin nhắn
account.notifications.marketAlert.title=Thông báo chào giá
account.notifications.marketAlert.selectPaymentAccount=Tài khoản thanh toán khớp với chào giá
account.notifications.marketAlert.offerType.label=Loại chào giátôi muốn
account.notifications.marketAlert.offerType.buy=Chào mua (Tôi muốn bán BTC)
account.notifications.marketAlert.offerType.sell=Chào bán (Tôi muốn mua BTC)
account.notifications.marketAlert.offerType.buy=Chào mua (Tôi muốn bán XMR)
account.notifications.marketAlert.offerType.sell=Chào bán (Tôi muốn mua XMR)
account.notifications.marketAlert.trigger=Khoảng cách giá chào (%)
account.notifications.marketAlert.trigger.info=Khi đặt khoảng cách giá, bạn chỉ nhận được thông báo khi có một chào giá bằng (hoặc cao hơn) giá bạn yêu cầu được đăng lên. Ví dụ: Bạn muốn bán BTC, nhưng chỉ bán với giá cao hơn thị trường hiện tại 2%. Đặt trường này ở mức 2% sẽ đảm bảo là bạn chỉ nhận được thông báo từ những chào giá cao hơn 2%(hoặc hơn) so với giá thị trường hiện tại.
account.notifications.marketAlert.trigger.info=Khi đặt khoảng cách giá, bạn chỉ nhận được thông báo khi có một chào giá bằng (hoặc cao hơn) giá bạn yêu cầu được đăng lên. Ví dụ: Bạn muốn bán XMR, nhưng chỉ bán với giá cao hơn thị trường hiện tại 2%. Đặt trường này ở mức 2% sẽ đảm bảo là bạn chỉ nhận được thông báo từ những chào giá cao hơn 2%(hoặc hơn) so với giá thị trường hiện tại.
account.notifications.marketAlert.trigger.prompt=Khoảng cách phần trăm so với giá thị trường (vd: 2.50%, -0.50%, ...)
account.notifications.marketAlert.addButton=Thêm thông báo chào giá
account.notifications.marketAlert.manageAlertsButton=Quản lý thông báo chào giá
@ -1306,10 +1306,10 @@ inputControlWindow.balanceLabel=Số dư hiện có
contractWindow.title=Thông tin khiếu nại
contractWindow.dates=Ngày chào giá / Ngày giao dịch
contractWindow.btcAddresses=Địa chỉ Bitcoin người mua BTC / người bán BTC
contractWindow.onions=Địa chỉ mạng người mua BTC / người bán BTC
contractWindow.accountAge=Tuổi tài khoản người mua BTC/người bán BTC
contractWindow.numDisputes=Số khiếu nại người mua BTC / người bán BTC
contractWindow.xmrAddresses=Địa chỉ Monero người mua XMR / người bán XMR
contractWindow.onions=Địa chỉ mạng người mua XMR / người bán XMR
contractWindow.accountAge=Tuổi tài khoản người mua XMR/người bán XMR
contractWindow.numDisputes=Số khiếu nại người mua XMR / người bán XMR
contractWindow.contractHash=Hash của hợp đồng
displayAlertMessageWindow.headline=Thông tin quan trọng!
@ -1335,8 +1335,8 @@ disputeSummaryWindow.title=Tóm tắt
disputeSummaryWindow.openDate=Ngày mở đơn
disputeSummaryWindow.role=Vai trò của người giao dịch
disputeSummaryWindow.payout=Khoản tiền giao dịch hoàn lại
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} nhận được khoản tiền giao dịch hoàn lại
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} nhận được khoản tiền giao dịch hoàn lại
disputeSummaryWindow.payout.getsAll=Max. payout to XMR {0}
disputeSummaryWindow.payout.custom=Thuế hoàn lại
disputeSummaryWindow.payoutAmount.buyer=Khoản tiền hoàn lại của người mua
disputeSummaryWindow.payoutAmount.seller=Khoản tiền hoàn lại của người bán
@ -1378,7 +1378,7 @@ disputeSummaryWindow.close.button=Đóng đơn
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for BTC buyer: {6}\nPayout amount for BTC seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
disputeSummaryWindow.close.msg=Ticket closed on {0}\n{1} node address: {2}\n\nSummary:\nTrade ID: {3}\nCurrency: {4}\nTrade amount: {5}\nPayout amount for XMR buyer: {6}\nPayout amount for XMR seller: {7}\n\nReason for dispute: {8}\n\nSummary notes:\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1421,18 +1421,18 @@ filterWindow.mediators=Filtered mediators (comma sep. onion addresses)
filterWindow.refundAgents=Filtered refund agents (comma sep. onion addresses)
filterWindow.seedNode=Node cung cấp thông tin đã lọc (địa chỉ onion cách nhau bằng dấu phẩy)
filterWindow.priceRelayNode=nút rơle giá đã lọc (địa chỉ onion cách nhau bằng dấu phẩy)
filterWindow.xmrNode=nút Bitcoin đã lọc (địa chỉ cách nhau bằng dấu phẩy + cửa)
filterWindow.preventPublicXmrNetwork=Ngăn sử dụng mạng Bitcoin công cộng
filterWindow.xmrNode=nút Monero đã lọc (địa chỉ cách nhau bằng dấu phẩy + cửa)
filterWindow.preventPublicXmrNetwork=Ngăn sử dụng mạng Monero công cộng
filterWindow.disableAutoConf=Disable auto-confirm
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
filterWindow.disableTradeBelowVersion=Phiên bản tối thiể yêu cầu cho giao dịch
filterWindow.add=Thêm bộ lọc
filterWindow.remove=Gỡ bỏ bộ lọc
filterWindow.xmrFeeReceiverAddresses=BTC fee receiver addresses
filterWindow.xmrFeeReceiverAddresses=XMR fee receiver addresses
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=Giá trị BTC tối thiểu
offerDetailsWindow.minXmrAmount=Giá trị XMR tối thiểu
offerDetailsWindow.min=(min. {0})
offerDetailsWindow.distance=(chênh lệch so với giá thị trường: {0})
offerDetailsWindow.myTradingAccount=itài khoản giao dịch của tôi
@ -1497,7 +1497,7 @@ tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1507,7 +1507,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=Nhập mật khẩu để mở khóa
@ -1533,12 +1533,12 @@ torNetworkSettingWindow.bridges.header=Tor bị khoá?
torNetworkSettingWindow.bridges.info=Nếu Tor bị kẹt do nhà cung cấp internet hoặc quốc gia của bạn, bạn có thể thử dùng cầu nối Tor.\nTruy cập trang web Tor tại: https://bridges.torproject.org/bridges để biết thêm về cầu nối và phương tiện vận chuyển kết nối được.
feeOptionWindow.headline=Chọn đồng tiền để thanh toán phí giao dịch
feeOptionWindow.info=Bạn có thể chọn thanh toán phí giao dịch bằng BSQ hoặc BTC. Nếu bạn chọn BSQ, bạn sẽ được khấu trừ phí giao dịch.
feeOptionWindow.info=Bạn có thể chọn thanh toán phí giao dịch bằng BSQ hoặc XMR. Nếu bạn chọn BSQ, bạn sẽ được khấu trừ phí giao dịch.
feeOptionWindow.optionsLabel=Chọn đồng tiền để thanh toán phí giao dịch
feeOptionWindow.useBTC=Sử dụng BTC
feeOptionWindow.useXMR=Sử dụng XMR
feeOptionWindow.fee={0} (≈ {1})
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1580,9 +1580,9 @@ popup.warning.noTradingAccountSetup.msg=Bạn cần thiết lập tiền tệ qu
popup.warning.noArbitratorsAvailable=Hiện không có trọng tài nào
popup.warning.noMediatorsAvailable=There are no mediators available.
popup.warning.notFullyConnected=Bạn cần phải đợi cho đến khi kết nối hoàn toàn với mạng.\nĐiều này mất khoảng 2 phút khi khởi động.
popup.warning.notSufficientConnectionsToBtcNetwork=Bạn cần phải đợi cho đến khi bạn có ít nhất {0} kết nối với mạng Bitcoin.
popup.warning.downloadNotComplete=Bạn cần phải đợi cho đến khi download xong các block Bitcoin còn thiếu.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Bitcoin block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.notSufficientConnectionsToXmrNetwork=Bạn cần phải đợi cho đến khi bạn có ít nhất {0} kết nối với mạng Monero.
popup.warning.downloadNotComplete=Bạn cần phải đợi cho đến khi download xong các block Monero còn thiếu.
popup.warning.chainNotSynced=The Haveno wallet blockchain height is not synced correctly. If you recently started the application, please wait until one Monero block has been published.\n\nYou can check the blockchain height in Settings/Network Info. If more than one block passes and this problem persists it may be stalled, in which case you should do an SPV resync. [HYPERLINK:https://haveno.exchange/wiki/Resyncing_SPV_file]
popup.warning.removeOffer=Bạn có chắc bạn muốn gỡ bỏ Báo giá này?
popup.warning.tooLargePercentageValue=Bạn không thể cài đặt phần trăm là 100% hoặc cao hơn.
popup.warning.examplePercentageValue=Vui lòng nhập số phần trăm như \"5.4\" cho 5,4%
@ -1602,13 +1602,13 @@ popup.warning.priceRelay=rơle giá
popup.warning.seed=seed
popup.warning.mandatoryUpdate.trading=Please update to the latest Haveno version. A mandatory update was released which disables trading for old versions. Please check out the Haveno Forum for more information.
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=Không thể thực hiện giao dịch, vì phí đào {0} vượt quá số lượng {1} cần chuyển. Vui lòng chờ tới khi phí đào thấp xuống hoặc khi bạn tích lũy đủ BTC để chuyển.
popup.warning.burnXMR=Không thể thực hiện giao dịch, vì phí đào {0} vượt quá số lượng {1} cần chuyển. Vui lòng chờ tới khi phí đào thấp xuống hoặc khi bạn tích lũy đủ XMR để chuyển.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Bitcoin network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer with ID {0} was rejected by the Monero network.\nTransaction ID={1}.\nThe offer has been removed to avoid further problems.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected.tradeFee=trade fee
popup.warning.trade.txRejected.deposit=deposit
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=The maker fee transaction for offer with ID {0} is invalid.\nTransaction ID={1}.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
@ -1623,7 +1623,7 @@ popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not
popup.privateNotification.headline=Thông báo riêng tư quan trọng!
popup.securityRecommendation.headline=Khuyến cáo an ninh quan trọng
popup.securityRecommendation.msg=Chúng tôi muốn nhắc nhở bạn sử dụng bảo vệ bằng mật khẩu cho ví của bạn nếu bạn vẫn chưa sử dụng.\n\nChúng tôi cũng khuyên bạn nên viết Seed words ví của bạn ra giấy. Các Seed words này như là mật khẩu chủ để khôi phục ví Bitcoin của bạn.\nBạn có thể xem thông tin ở mục \"Wallet Seed\".\n\nNgoài ra bạn nên sao lưu dự phòng folder dữ liệu ứng dụng đầy đủ ở mục \"Backup\".
popup.securityRecommendation.msg=Chúng tôi muốn nhắc nhở bạn sử dụng bảo vệ bằng mật khẩu cho ví của bạn nếu bạn vẫn chưa sử dụng.\n\nChúng tôi cũng khuyên bạn nên viết Seed words ví của bạn ra giấy. Các Seed words này như là mật khẩu chủ để khôi phục ví Monero của bạn.\nBạn có thể xem thông tin ở mục \"Wallet Seed\".\n\nNgoài ra bạn nên sao lưu dự phòng folder dữ liệu ứng dụng đầy đủ ở mục \"Backup\".
popup.shutDownInProgress.headline=Đang tắt ứng dụng
popup.shutDownInProgress.msg=Tắt ứng dụng sẽ mất vài giây.\nVui lòng không gián đoạn quá trình này.
@ -1676,9 +1676,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=Failed to sign
notification.trade.headline=Thông báo với giao dịch có ID {0}
notification.ticket.headline=Vé hỗ trợ cho giao dịch có ID {0}
notification.trade.completed=giao dịch đã hoàn thành và bạn có thể rút tiền.
notification.trade.accepted=Chào giá của bạn đã được chấp thuận bởi BTC {0}.
notification.trade.accepted=Chào giá của bạn đã được chấp thuận bởi XMR {0}.
notification.trade.unlocked=giao dịch của bạn có ít nhất một xác nhận blockchain.\nBạn có thể bắt đầu thanh toán bây giờ.
notification.trade.paymentSent=Người mua BTC đã bắt đầu thanh toán.
notification.trade.paymentSent=Người mua XMR đã bắt đầu thanh toán.
notification.trade.selectTrade=Lựa chọn giao dịch
notification.trade.peerOpenedDispute=Đối tác giao dịch của bạn đã mở một {0}.
notification.trade.disputeClosed={0} đã đóng.
@ -1697,7 +1697,7 @@ systemTray.show=Hiển thị cửa sổ ứng dung
systemTray.hide=Ẩn cửa sổ ứng dụng
systemTray.info=Thông tin về Haveno
systemTray.exit=Thoát
systemTray.tooltip=Haveno: A decentralized bitcoin exchange network
systemTray.tooltip=Haveno: A decentralized monero exchange network
####################################################################
@ -1759,10 +1759,10 @@ peerInfo.age.noRisk=Tuổi tài khoản thanh toán
peerInfo.age.chargeBackRisk=Time since signing
peerInfo.unknownAge=Tuổi chưa biết
addressTextField.openWallet=Mở ví Bitcoin mặc định của bạn
addressTextField.openWallet=Mở ví Monero mặc định của bạn
addressTextField.copyToClipboard=Copy địa chỉ vào clipboard
addressTextField.addressCopiedToClipboard=Địa chỉ đã được copy vào clipboard
addressTextField.openWallet.failed=Mở ứng dụng ví Bitcoin mặc định không thành công. Có lẽ bạn chưa cài đặt?
addressTextField.openWallet.failed=Mở ứng dụng ví Monero mặc định không thành công. Có lẽ bạn chưa cài đặt?
peerInfoIcon.tooltip={0}\nTag: {1}
@ -1810,11 +1810,11 @@ formatter.asTaker={0} {1} như người nhận
# we use enum values here
# dynamic values are not recognized by IntelliJ
# suppress inspection "UnusedProperty"
XMR_MAINNET=Bitcoin Mainnet
XMR_MAINNET=Monero Mainnet
# suppress inspection "UnusedProperty"
XMR_LOCAL=Bitcoin Testnet
XMR_LOCAL=Monero Testnet
# suppress inspection "UnusedProperty"
XMR_STAGENET=Bitcoin Regtest
XMR_STAGENET=Monero Regtest
time.year=Năm
time.month=Tháng
@ -1853,7 +1853,7 @@ seed.date=Ngày ví
seed.restore.title=Khôi phục vú từ Seed words
seed.restore=Khôi phục ví
seed.creationDate=Ngày tạo
seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your bitcoin.\nIn case you cannot access your bitcoin you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.msg=Your Monero wallet is not empty.\n\nYou must empty this wallet before attempting to restore an older one, as mixing wallets together can lead to invalidated backups.\n\nPlease finalize your trades, close all your open offers and go to the Funds section to withdraw your monero.\nIn case you cannot access your monero you can use the emergency tool to empty the wallet.\nTo open the emergency tool press \"Alt+e\" or \"Cmd/Ctrl+e\".
seed.warn.walletNotEmpty.restore=Tôi muốn khôi phục
seed.warn.walletNotEmpty.emptyWallet=Tôi sẽ làm trống ví trước
seed.warn.notEncryptedAnymore=Ví của bạn đã được mã hóa.\n\nSau khi khôi phục, ví sẽ không còn được mã hóa và bạn phải cài đặt mật khẩu mới.\n\nBạn có muốn tiếp tục?
@ -1944,12 +1944,12 @@ payment.checking=Đang kiểm tra
payment.savings=Tiết kiệm
payment.personalId=ID cá nhân
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle is a money transfer service that works best *through* another bank.\n\n1. Check this page to see if (and how) your bank works with Zelle: [HYPERLINK:https://www.zellepay.com/get-started]\n\n2. Take special note of your transfer limits—sending limits vary by bank, and banks often specify separate daily, weekly, and monthly limits.\n\n3. If your bank does not work with Zelle, you can still use it through the Zelle mobile app, but your transfer limits will be much lower.\n\n4. The name specified on your Haveno account MUST match the name on your Zelle/bank account. \n\nIf you cannot complete a Zelle transaction as specified in your trade contract, you may lose some (or all) of your security deposit.\n\nBecause of Zelle''s somewhat higher chargeback risk, sellers are advised to contact unsigned buyers through email or SMS to verify that the buyer really owns the Zelle account specified in Haveno.
payment.fasterPayments.newRequirements.info=Some banks have started verifying the receiver''s full name for Faster Payments transfers. Your current Faster Payments account does not specify a full name.\n\nPlease consider recreating your Faster Payments account in Haveno to provide future {0} buyers with a full name.\n\nWhen you recreate the account, make sure to copy the precise sort code, account number and account age verification salt values from your old account to your new account. This will ensure your existing account''s age and signing status are preserved.
payment.moneyGram.info=When using MoneyGram the BTC buyer has to send the Authorisation number and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the BTC buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the BTC seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Khi sử dụng HalCash người mua BTC cần phải gửi cho người bán BTC mã HalCash bằng tin nhắn điện thoại.\n\nVui lòng đảm bảo là lượng tiền này không vượt quá số lượng tối đa mà ngân hàng của bạn cho phép gửi khi dùng HalCash. Số lượng rút tối thiểu là 10 EUR và tối đa là 600 EUR. Nếu rút nhiều lần thì giới hạn sẽ là 3000 EUR/ người nhận/ ngày và 6000 EUR/người nhận/tháng. Vui lòng kiểm tra chéo những giới hạn này với ngân hàng của bạn để chắc chắn là họ cũng dùng những giới hạn như ghi ở đây.\n\nSố tiền rút phải là bội số của 10 EUR vì bạn không thể rút các mệnh giá khác từ ATM. Giao diện người dùng ở phần 'tạo chào giá' và 'chấp nhận chào giá' sẽ điều chỉnh lượng btc sao cho lượng EUR tương ứng sẽ chính xác. Bạn không thể dùng giá thị trường vì lượng EUR có thể sẽ thay đổi khi giá thay đổi.\n\nTrường hợp tranh chấp, người mua BTC cần phải cung cấp bằng chứng chứng minh mình đã gửi EUR.
payment.moneyGram.info=When using MoneyGram the XMR buyer has to send the Authorisation number and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, country, state and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.westernUnion.info=When using Western Union the XMR buyer has to send the MTCN (tracking number) and a photo of the receipt by email to the XMR seller. The receipt must clearly show the seller's full name, city, country and the amount. The seller's email will be displayed to the buyer during the trade process.
payment.halCash.info=Khi sử dụng HalCash người mua XMR cần phải gửi cho người bán XMR mã HalCash bằng tin nhắn điện thoại.\n\nVui lòng đảm bảo là lượng tiền này không vượt quá số lượng tối đa mà ngân hàng của bạn cho phép gửi khi dùng HalCash. Số lượng rút tối thiểu là 10 EUR và tối đa là 600 EUR. Nếu rút nhiều lần thì giới hạn sẽ là 3000 EUR/ người nhận/ ngày và 6000 EUR/người nhận/tháng. Vui lòng kiểm tra chéo những giới hạn này với ngân hàng của bạn để chắc chắn là họ cũng dùng những giới hạn như ghi ở đây.\n\nSố tiền rút phải là bội số của 10 EUR vì bạn không thể rút các mệnh giá khác từ ATM. Giao diện người dùng ở phần 'tạo chào giá' và 'chấp nhận chào giá' sẽ điều chỉnh lượng btc sao cho lượng EUR tương ứng sẽ chính xác. Bạn không thể dùng giá thị trường vì lượng EUR có thể sẽ thay đổi khi giá thay đổi.\n\nTrường hợp tranh chấp, người mua XMR cần phải cung cấp bằng chứng chứng minh mình đã gửi EUR.
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Haveno sets per-trade limits based on the estimated level of chargeback risk for the payment method used.\n\nFor this payment method, your per-trade limit for buying and selling is {2}.\n\nThis limit only applies to the size of a single trade—you can place as many trades as you like.\n\nSee more details on the wiki [HYPERLINK:https://haveno.exchange/wiki/Account_limits].
# suppress inspection "UnusedProperty"
@ -1965,7 +1965,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- BTC buyers must write the BTC Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- BTC buyers must send the USPMO to the BTC seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Haveno requires that you understand the following:\n\n- XMR buyers must write the XMR Sellers name in both the Payer and the Payees fields & take a high-resolution photo of the USPMO and envelope with proof of tracking before sending.\n- XMR buyers must send the USPMO to the XMR seller with Delivery Confirmation.\n\nIn the event mediation is necessary, or if there is a trade dispute, you will be required to send the photos to the Haveno mediator or refund agent, together with the USPMO Serial Number, Post Office Number, and dollar amount, so they can verify the details on the US Post Office website.\n\nFailure to provide the required information to the Mediator or Arbitrator will result in losing the dispute case.\n\nIn all dispute cases, the USPMO sender bears 100% of the burden of responsibility in providing evidence/proof to the Mediator or Arbitrator.\n\nIf you do not understand these requirements, do not trade using USPMO on Haveno.
payment.payByMail.contact=thông tin liên hệ
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1976,7 +1976,7 @@ payment.f2f.city.prompt=Thành phố sẽ được hiển thị cùng báo giá
payment.shared.optionalExtra=Thông tin thêm tuỳ chọn.
payment.shared.extraInfo=thông tin thêm
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the BTC funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info='Face to Face' trades have different rules and come with different risks than online transactions.\n\nThe main differences are:\n● The trading peers need to exchange information about the meeting location and time by using their provided contact details.\n● The trading peers need to bring their laptops and do the confirmation of 'payment sent' and 'payment received' at the meeting place.\n● If a maker has special 'terms and conditions' they must state those in the 'Additional information' text field in the account.\n● By taking an offer the taker agrees to the maker's stated 'terms and conditions'.\n● In case of a dispute the mediator or arbitrator cannot be of much assistance as it is usually difficult to get tamper-proof evidence of what happened at the meeting. In such cases the XMR funds might get locked indefinitely or until the trading peers come to an agreement.\n\nTo be sure you fully understand the differences with 'Face to Face' trades please read the instructions and recommendations at: [HYPERLINK:https://docs.haveno.exchange/trading-rules.html#f2f-trading]
payment.f2f.info.openURL=Mở trang web
payment.f2f.offerbook.tooltip.countryAndCity=Country and city: {0} / {1}
payment.f2f.offerbook.tooltip.extra=Thông tin thêm: {0}
@ -1988,7 +1988,7 @@ payment.japan.recipient=Tên
payment.australia.payid=PayID
payment.payid=PayID linked to financial institution. Like email address or mobile phone.
payment.payid.info=A PayID like a phone number, email address or an Australian Business Number (ABN), that you can securely link to your bank, credit union or building society account. You need to have already created a PayID with your Australian financial institution. Both sending and receiving financial institutions must support PayID. For more information please check [HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2146,7 +2146,7 @@ validation.zero=Không cho phép nhập giá trị 0.
validation.negative=Không cho phép nhập giá trị âm.
validation.traditional.tooSmall=Không cho phép giá trị nhập nhỏ hơn giá trị có thể nhỏ nhất.
validation.traditional.tooLarge=Không cho phép giá trị nhập lớn hơn giá trị có thể lớn nhất.
validation.xmr.fraction=Input will result in a bitcoin value of less than 1 satoshi
validation.xmr.fraction=Input will result in a monero value of less than 1 satoshi
validation.xmr.tooLarge=Không cho phép giá trị nhập lớn hơn {0}.
validation.xmr.tooSmall=Không cho phép giá trị nhập nhỏ hơn {0}.
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
@ -2156,10 +2156,10 @@ validation.sortCodeChars={0} phải có {1} ký tự.
validation.bankIdNumber={0} phải có {1} số.
validation.accountNr=Số tài khoản phải có {0} số.
validation.accountNrChars=Số tài khoản phải có {0} ký tự.
validation.btc.invalidAddress=Địa chỉ không đúng. Vui lỏng kiểm tra lại định dạng địa chỉ.
validation.xmr.invalidAddress=Địa chỉ không đúng. Vui lỏng kiểm tra lại định dạng địa chỉ.
validation.integerOnly=Vui lòng chỉ nhập số nguyên.
validation.inputError=Giá trị nhập của bạn gây lỗi:\n{0}
validation.btc.exceedsMaxTradeLimit=Giới hạn giao dịch của bạn là {0}.
validation.xmr.exceedsMaxTradeLimit=Giới hạn giao dịch của bạn là {0}.
validation.nationalAccountId={0} phải có {1} số.
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=我了解
shared.na=N/A
shared.shutDown=完全关闭
shared.reportBug=在 Github 报告错误
shared.buyBitcoin=买入比特币
shared.sellBitcoin=卖出比特币
shared.buyMonero=买入比特币
shared.sellMonero=卖出比特币
shared.buyCurrency=买入 {0}
shared.sellCurrency=卖出 {0}
shared.buyingBTCWith=用 {0} 买入 BTC
shared.sellingBTCFor=卖出 BTC 为 {0}
shared.buyingCurrency=买入 {0}(卖出 BTC
shared.sellingCurrency=卖出 {0}(买入 BTC
shared.buyingXMRWith=用 {0} 买入 XMR
shared.sellingXMRFor=卖出 XMR 为 {0}
shared.buyingCurrency=买入 {0}(卖出 XMR
shared.sellingCurrency=卖出 {0}(买入 XMR
shared.buy=
shared.sell=
shared.buying=买入
@ -93,7 +93,7 @@ shared.amountMinMax=总额(最小 - 最大)
shared.amountHelp=如果报价包含最小和最大限制,那么您可以在这个范围内的任意数量进行交易。
shared.remove=移除
shared.goTo=前往 {0}
shared.BTCMinMax=BTC(最小 - 最大)
shared.XMRMinMax=XMR(最小 - 最大)
shared.removeOffer=移除报价
shared.dontRemoveOffer=不要移除报价
shared.editOffer=编辑报价
@ -112,7 +112,7 @@ shared.enterPercentageValue=输入 % 值
shared.OR=或者
shared.notEnoughFunds=您的 Haveno 钱包中没有足够的资金去支付这一交易 需要{0} 您可用余额为 {1}。\n\n请从外部比特币钱包注入资金或在“资金/存款”充值到您的 Haveno 钱包。
shared.waitingForFunds=等待资金充值...
shared.TheBTCBuyer=BTC 买家
shared.TheXMRBuyer=XMR 买家
shared.You=
shared.sendingConfirmation=发送确认...
shared.sendingConfirmationAgain=请再次发送确认
@ -169,7 +169,7 @@ shared.payoutTxId=支出交易 ID
shared.contractAsJson=JSON 格式的合同
shared.viewContractAsJson=查看 JSON 格式的合同
shared.contract.title=交易 ID{0} 的合同
shared.paymentDetails=BTC {0} 支付详情
shared.paymentDetails=XMR {0} 支付详情
shared.securityDeposit=保证金
shared.yourSecurityDeposit=你的保证金
shared.contract=合同
@ -179,7 +179,7 @@ shared.messageSendingFailed=消息发送失败。错误:{0}
shared.unlock=解锁
shared.toReceive=接收
shared.toSpend=花费
shared.btcAmount=BTC 总额
shared.xmrAmount=XMR 总额
shared.yourLanguage=你的语言
shared.addLanguage=添加语言
shared.total=合计
@ -226,8 +226,8 @@ shared.enabled=启用
####################################################################
mainView.menu.market=交易项目
mainView.menu.buyBtc=买入 BTC
mainView.menu.sellBtc=卖出 BTC
mainView.menu.buyXmr=买入 XMR
mainView.menu.sellXmr=卖出 XMR
mainView.menu.portfolio=业务
mainView.menu.funds=资金
mainView.menu.support=帮助
@ -245,9 +245,9 @@ mainView.balance.reserved.short=保证
mainView.balance.pending.short=冻结
mainView.footer.usingTor=(通过 Tor
mainView.footer.localhostBitcoinNode=(本地主机)
mainView.footer.localhostMoneroNode=(本地主机)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ 矿工手费率:{0} 聪/字节
mainView.footer.xmrFeeRate=/ 矿工手费率:{0} 聪/字节
mainView.footer.xmrInfo.initializing=连接至比特币网络
mainView.footer.xmrInfo.synchronizingWith=正在通过{0}同步区块:{1}/{2}
mainView.footer.xmrInfo.synchronizedWith=已通过{0}同步至区块{1}
@ -274,7 +274,7 @@ mainView.walletServiceErrorMsg.connectionError=错误:{0} 比特币网络连
mainView.walletServiceErrorMsg.rejectedTxException=交易被网络拒绝。\n\n{0}
mainView.networkWarning.allConnectionsLost=您失去了所有与 {0} 网络节点的连接。\n您失去了互联网连接或您的计算机处于待机状态。
mainView.networkWarning.localhostBitcoinLost=您丢失了与本地主机比特币节点的连接。\n请重启 Haveno 应用程序连接到其他比特币节点或重新启动主机比特币节点。
mainView.networkWarning.localhostMoneroLost=您丢失了与本地主机比特币节点的连接。\n请重启 Haveno 应用程序连接到其他比特币节点或重新启动主机比特币节点。
mainView.version.update=(有更新可用)
@ -299,9 +299,9 @@ market.offerBook.sell=我想要卖出比特币
# SpreadView
market.spread.numberOfOffersColumn=所有报价({0}
market.spread.numberOfBuyOffersColumn=买入 BTC{0}
market.spread.numberOfSellOffersColumn=卖出 BTC{0}
market.spread.totalAmountColumn=总共 BTC{0}
market.spread.numberOfBuyOffersColumn=买入 XMR{0}
market.spread.numberOfSellOffersColumn=卖出 XMR{0}
market.spread.totalAmountColumn=总共 XMR{0}
market.spread.spreadColumn=差价
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=数字货币不适用账龄与签名
offerbook.nrOffers=报价数量:{0}
offerbook.volume={0}(最小 - 最大)
offerbook.deposit=BTC 保证金(%
offerbook.deposit=XMR 保证金(%
offerbook.deposit.help=交易双方均已支付保证金确保这个交易正常进行。这会在交易完成时退还。
offerbook.createOfferToBuy=创建新的报价来买入 {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=金额四舍五入是为了增加您的交易
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=输入 BTC 数量
createOffer.amount.prompt=输入 XMR 数量
createOffer.price.prompt=输入价格
createOffer.volume.prompt=输入 {0} 金额
createOffer.amountPriceBox.amountDescription=比特币数量 {0}
createOffer.amountPriceBox.buy.volumeDescription=花费 {0} 数量
createOffer.amountPriceBox.sell.volumeDescription=接收 {0} 数量
createOffer.amountPriceBox.minAmountDescription=最小 BTC 数量
createOffer.amountPriceBox.minAmountDescription=最小 XMR 数量
createOffer.securityDeposit.prompt=保证金
createOffer.fundsBox.title=为您的报价充值
createOffer.fundsBox.offerFee=挂单费
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=由于您的价格是持续更新的,因
createOffer.info.buyBelowMarketPrice=由于您的价格是持续更新的,因此您将始终支付低于市场价 {0}% 的价格。
createOffer.warning.sellBelowMarketPrice=由于您的价格是持续更新的,因此您将始终按照低于市场价 {0}% 的价格出售。
createOffer.warning.buyAboveMarketPrice=由于您的价格是持续更新的,因此您将始终支付高于市场价 {0}% 的价格。
createOffer.tradeFee.descriptionBTCOnly=挂单费
createOffer.tradeFee.descriptionXMROnly=挂单费
createOffer.tradeFee.descriptionBSQEnabled=选择手续费币种
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,12 +477,12 @@ createOffer.minSecurityDepositUsed=已使用最低买家保证金
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=输入 BTC 数量
takeOffer.amount.prompt=输入 XMR 数量
takeOffer.amountPriceBox.buy.amountDescription=卖出比特币数量
takeOffer.amountPriceBox.sell.amountDescription=买入比特币数量
takeOffer.amountPriceBox.priceDescription=每个比特币的 {0} 价格
takeOffer.amountPriceBox.amountRangeDescription=可用数量范围
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=你输入的数量超过允许的小数位数。\n数量已被调整为4位小数。
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=你输入的数量超过允许的小数位数。\n数量已被调整为4位小数。
takeOffer.validation.amountSmallerThanMinAmount=数量不能比报价内设置的最小数量小。
takeOffer.validation.amountLargerThanOfferAmount=数量不能比报价提供的总量大。
takeOffer.validation.amountLargerThanOfferAmountMinusFee=该输入数量可能会给卖家造成比特币碎片。
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=保证金交易仍未得到确认。请
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=请从您的外部 {0} 钱包划转\n{1} 到 BTC 卖家。\n\n
portfolio.pending.step2_buyer.crypto=请从您的外部 {0} 钱包划转\n{1} 到 XMR 卖家。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=请到银行并支付 {0} 给 BTC 卖家。\n\n
portfolio.pending.step2_buyer.cash.extra=重要要求:\n完成付款后在纸质收据上写下不退款。\n然后将其撕成2份拍照片并发送给 BTC 卖家的电子邮件地址。
portfolio.pending.step2_buyer.cash=请到银行并支付 {0} 给 XMR 卖家。\n\n
portfolio.pending.step2_buyer.cash.extra=重要要求:\n完成付款后在纸质收据上写下不退款。\n然后将其撕成2份拍照片并发送给 XMR 卖家的电子邮件地址。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=请使用 MoneyGram 向 BTC 卖家支付 {0}。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要要求:\n完成支付后请通过电邮发送授权编号和照片给 BTC 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。
portfolio.pending.step2_buyer.moneyGram=请使用 MoneyGram 向 XMR 卖家支付 {0}。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要要求:\n完成支付后请通过电邮发送授权编号和照片给 XMR 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=请使用 Western Union 向 BTC 卖家支付 {0}。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要要求:\n完成支付后请通过电邮发送 MTCN追踪号码和照片给 BTC 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。
portfolio.pending.step2_buyer.westernUnion=请使用 Western Union 向 XMR 卖家支付 {0}。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要要求:\n完成支付后请通过电邮发送 MTCN追踪号码和照片给 XMR 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=请用“美国邮政汇票”发送 {0} 给 BTC 卖家。\n\n
portfolio.pending.step2_buyer.postal=请用“美国邮政汇票”发送 {0} 给 XMR 卖家。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=请通过提供的联系人与 BTC 卖家联系,并安排会议支付 {0}。\n\n
portfolio.pending.step2_buyer.f2f=请通过提供的联系人与 XMR 卖家联系,并安排会议支付 {0}。\n\n
portfolio.pending.step2_buyer.startPaymentUsing=使用 {0} 开始付款
portfolio.pending.step2_buyer.recipientsAccountData=接受 {0}
portfolio.pending.step2_buyer.amountToTransfer=划转数量
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=您的付款帐户将被使用
portfolio.pending.step2_buyer.paymentSent=付款开始
portfolio.pending.step2_buyer.warn=你还没有完成你的 {0} 付款!\n请注意交易必须在 {1} 之前完成。
portfolio.pending.step2_buyer.openForDispute=您还没有完成您的付款!\n最大交易期限已过。请联系调解员寻求帮助。
portfolio.pending.step2_buyer.paperReceipt.headline=您是否将纸质收据发送给 BTC 卖家?
portfolio.pending.step2_buyer.paperReceipt.msg=请牢记:\n完成付款后在纸质收据上写下不退款。\n然后将其撕成2份拍照片并发送给 BTC 卖家的电子邮件地址。
portfolio.pending.step2_buyer.paperReceipt.headline=您是否将纸质收据发送给 XMR 卖家?
portfolio.pending.step2_buyer.paperReceipt.msg=请牢记:\n完成付款后在纸质收据上写下不退款。\n然后将其撕成2份拍照片并发送给 XMR 卖家的电子邮件地址。
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=发送授权编号和收据
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=请通过电邮发送授权编号和照片给 BTC 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。\n\n您把授权编号和合同发给卖方了吗
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=请通过电邮发送授权编号和照片给 XMR 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。\n\n您把授权编号和合同发给卖方了吗
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=发送 MTCN 和收据
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=请通过电邮发送 MTCN追踪号码和照片给 BTC 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。\n\n您把 MTCN 和合同发给卖方了吗?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=请通过电邮发送 MTCN追踪号码和照片给 XMR 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是{0}。\n\n您把 MTCN 和合同发给卖方了吗?
portfolio.pending.step2_buyer.halCashInfo.headline=请发送 HalCash 代码
portfolio.pending.step2_buyer.halCashInfo.msg=您需要向 BTC 卖家发送带有 HalCash 代码和交易 ID{0})的文本消息。\n\n卖方的手机号码是 {1} 。\n\n您是否已经将代码发送至卖家?
portfolio.pending.step2_buyer.halCashInfo.msg=您需要向 XMR 卖家发送带有 HalCash 代码和交易 ID{0})的文本消息。\n\n卖方的手机号码是 {1} 。\n\n您是否已经将代码发送至卖家?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=有些银行可能会要求接收方的姓名。在较旧的 Haveno 客户端创建的快速支付帐户没有提供收款人的姓名,所以请使用交易聊天来获得收款人姓名(如果需要)。
portfolio.pending.step2_buyer.confirmStart.headline=确定您已经付款
portfolio.pending.step2_buyer.confirmStart.msg=您是否向您的交易伙伴发起 {0} 付款?
portfolio.pending.step2_buyer.confirmStart.yes=是的,我已经开始付款
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=你没有提供任何付款证明
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=您还没有输入交易 ID 以及交易密钥\n\n如果不提供此数据您的交易伙伴无法在收到 XMR 后使用自动确认功能以快速释放 BTC。\n另外Haveno 要求 XMR 发送者在发生纠纷的时候能够向调解员和仲裁员提供这些信息。\n更多细节在 Haveno Wikihttps://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=您还没有输入交易 ID 以及交易密钥\n\n如果不提供此数据您的交易伙伴无法在收到 XMR 后使用自动确认功能以快速释放 XMR。\n另外Haveno 要求 XMR 发送者在发生纠纷的时候能够向调解员和仲裁员提供这些信息。\n更多细节在 Haveno Wikihttps://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=输入并不是一个 32 字节的哈希值
portfolio.pending.step2_buyer.confirmStart.warningButton=忽略并继续
portfolio.pending.step2_seller.waitPayment.headline=等待付款
portfolio.pending.step2_seller.f2fInfo.headline=买家的合同信息
portfolio.pending.step2_seller.waitPayment.msg=存款交易至少有一个区块链确认。\n您需要等到 BTC 买家开始 {0} 付款。
portfolio.pending.step2_seller.warn=BTC 买家仍然没有完成 {0} 付款。\n你需要等到他开始付款。\n如果 {1} 交易尚未完成,仲裁员将进行调查。
portfolio.pending.step2_seller.openForDispute=BTC 买家尚未开始付款!\n允许的最长交易期限已经过去了。你可以继续等待给予交易双方更多时间或联系仲裁员以争取解决纠纷。
portfolio.pending.step2_seller.waitPayment.msg=存款交易至少有一个区块链确认。\n您需要等到 XMR 买家开始 {0} 付款。
portfolio.pending.step2_seller.warn=XMR 买家仍然没有完成 {0} 付款。\n你需要等到他开始付款。\n如果 {1} 交易尚未完成,仲裁员将进行调查。
portfolio.pending.step2_seller.openForDispute=XMR 买家尚未开始付款!\n允许的最长交易期限已经过去了。你可以继续等待给予交易双方更多时间或联系仲裁员以争取解决纠纷。
tradeChat.chatWindowTitle=使用 ID “{0}” 进行交易的聊天窗口
tradeChat.openChat=打开聊天窗口
tradeChat.rules=您可以与您的伙伴沟通,以解决该交易的潜在问题。\n在聊天中不强制回复。\n如果交易员违反了下面的任何规则打开纠纷并向调解员或仲裁员报告。\n聊天规则\n\n\t●不要发送任何链接有恶意软件的风险。您可以发送交易 ID 和区块资源管理器的名称。\n\t●不要发送还原密钥、私钥、密码或其他敏感信息\n\t●不鼓励 Haveno 以外的交易(无安全保障)。\n\t●不要参与任何形式的危害社会安全的计划。\n\t●如果对方没有回应也不愿意通过聊天进行沟通那就尊重对方的决定。\n\t●将谈话范围限制在行业内。这个聊天不是一个社交软件替代品或troll-box。\n\t●保持友好和尊重的交谈。
@ -666,28 +666,28 @@ message.state.ACKNOWLEDGED=对方确认消息回执
# suppress inspection "UnusedProperty"
message.state.FAILED=发送消息失败
portfolio.pending.step3_buyer.wait.headline=等待 BTC 卖家付款确定
portfolio.pending.step3_buyer.wait.info=等待 BTC 卖家确认收到 {0} 付款。
portfolio.pending.step3_buyer.wait.headline=等待 XMR 卖家付款确定
portfolio.pending.step3_buyer.wait.info=等待 XMR 卖家确认收到 {0} 付款。
portfolio.pending.step3_buyer.wait.msgStateInfo.label=支付开始消息状态
portfolio.pending.step3_buyer.warn.part1a=在 {0} 区块链
portfolio.pending.step3_buyer.warn.part1b=在您的支付供应商(例如:银行)
portfolio.pending.step3_buyer.warn.part2=BTC 卖家仍然没有确认您的付款。如果付款发送成功,请检查 {0}。
portfolio.pending.step3_buyer.openForDispute=BTC 卖家还没有确认你的付款!最大交易期限已过。您可以等待更长时间,并给交易伙伴更多时间或请求调解员的帮助。
portfolio.pending.step3_buyer.warn.part2=XMR 卖家仍然没有确认您的付款。如果付款发送成功,请检查 {0}。
portfolio.pending.step3_buyer.openForDispute=XMR 卖家还没有确认你的付款!最大交易期限已过。您可以等待更长时间,并给交易伙伴更多时间或请求调解员的帮助。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=您的交易伙伴已经确认他们已经发起了 {0} 付款。\n\n
portfolio.pending.step3_seller.crypto.explorer=在您最喜欢的 {0} 区块链浏览器
portfolio.pending.step3_seller.crypto.wallet=在您的 {0} 钱包
portfolio.pending.step3_seller.crypto={0} 请检查 {1} 是否交易已经到您的接收地址\n{2}\n已经有足够的区块链确认了\n支付金额必须为 {3}\n\n关闭该弹出窗口后您可以从主界面复制并粘贴 {4} 地址。
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=因为付款是通过现金存款完成的,BTC 买家必须在纸质收据上写“不退款”将其撕成2份并通过电子邮件向您发送照片。\n\n为避免退款风险请仅确认您是否收到电子邮件如果您确定收据有效。\n如果您不确定{0}
portfolio.pending.step3_seller.moneyGram=买方必须发送授权编码和一张收据的照片。\n收据必须清楚地显示您的全名、城市、国家或地区、数量。如果您收到授权编码请查收邮件。\n\n关闭弹窗后您将看到 BTC 买家的姓名和在 MoneyGram 的收款地址。\n\n只有在您成功收到钱之后再确认收据
portfolio.pending.step3_seller.westernUnion=买方必须发送 MTCN跟踪号码和一张收据的照片。\n收据必须清楚地显示您的全名、城市、国家或地区、数量。如果您收到 MTCN请查收邮件。\n\n关闭弹窗后您将看到 BTC 买家的姓名和在 Western Union 的收款地址。\n\n只有在您成功收到钱之后再确认收据
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=因为付款是通过现金存款完成的,XMR 买家必须在纸质收据上写“不退款”将其撕成2份并通过电子邮件向您发送照片。\n\n为避免退款风险请仅确认您是否收到电子邮件如果您确定收据有效。\n如果您不确定{0}
portfolio.pending.step3_seller.moneyGram=买方必须发送授权编码和一张收据的照片。\n收据必须清楚地显示您的全名、城市、国家或地区、数量。如果您收到授权编码请查收邮件。\n\n关闭弹窗后您将看到 XMR 买家的姓名和在 MoneyGram 的收款地址。\n\n只有在您成功收到钱之后再确认收据
portfolio.pending.step3_seller.westernUnion=买方必须发送 MTCN跟踪号码和一张收据的照片。\n收据必须清楚地显示您的全名、城市、国家或地区、数量。如果您收到 MTCN请查收邮件。\n\n关闭弹窗后您将看到 XMR 买家的姓名和在 Western Union 的收款地址。\n\n只有在您成功收到钱之后再确认收据
portfolio.pending.step3_seller.halCash=买方必须将 HalCash代码 用短信发送给您。除此之外,您将收到来自 HalCash 的消息,其中包含从支持 HalCash 的 ATM 中提取欧元所需的信息\n从 ATM 取款后,请在此确认付款收据!
portfolio.pending.step3_seller.amazonGiftCard=BTC 买家已经发送了一张亚马逊电子礼品卡到您的邮箱或手机短信。请现在立即兑换亚马逊电子礼品卡到您的亚马逊账户中以及确认交易信息。
portfolio.pending.step3_seller.amazonGiftCard=XMR 买家已经发送了一张亚马逊电子礼品卡到您的邮箱或手机短信。请现在立即兑换亚马逊电子礼品卡到您的亚马逊账户中以及确认交易信息。
portfolio.pending.step3_seller.bankCheck=\n\n还请确认您的银行对帐单中的发件人姓名与委托合同中的发件人姓名相符\n发件人姓名{0}\n\n如果名称与此处显示的名称不同则 {1}
# suppress inspection "TrailingSpacesInProperty"
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=交易记录 ID
portfolio.pending.step3_seller.xmrTxKey=交易密钥
portfolio.pending.step3_seller.buyersAccount=买方账号数据
portfolio.pending.step3_seller.confirmReceipt=确定付款收据
portfolio.pending.step3_seller.buyerStartedPayment=BTC 买家已经开始 {0} 的付款。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=XMR 买家已经开始 {0} 的付款。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=检查您的数字货币钱包或块浏览器的区块链确认,并确认付款时,您有足够的块链确认。
portfolio.pending.step3_seller.buyerStartedPayment.traditional=检查您的交易账户(例如银行帐户),并确认您何时收到付款。
portfolio.pending.step3_seller.warn.part1a=在 {0} 区块链
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=您是否收到了您交
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=还请确认您的银行对帐单中的发件人姓名与委托合同中的发件人姓名相符:\n每个交易合约的发送者姓名{0}\n\n如果名称与此处显示的名称不一致请不要通过确认付款而是通过“alt + o”或“option + o”打开纠纷。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=请注意,一旦您确认收到,冻结交易金额将被发放给 BTC 买家,保证金将被退还。
portfolio.pending.step3_seller.onPaymentReceived.note=请注意,一旦您确认收到,冻结交易金额将被发放给 XMR 买家,保证金将被退还。
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=确定您已经收到付款
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=是的,我已经收到付款。
portfolio.pending.step3_seller.onPaymentReceived.signer=重要提示:通过确认收到付款,你也验证了对方的账户,并获得验证。因为对方的账户还没有验证,所以你应该尽可能的延迟付款的确认,以减少退款的风险。
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=挂单费
portfolio.pending.step5_buyer.makersMiningFee=矿工手续费
portfolio.pending.step5_buyer.takersMiningFee=总共挖矿手续费
portfolio.pending.step5_buyer.refunded=退还保证金
portfolio.pending.step5_buyer.withdrawBTC=提现您的比特币
portfolio.pending.step5_buyer.withdrawXMR=提现您的比特币
portfolio.pending.step5_buyer.amount=提现数量
portfolio.pending.step5_buyer.withdrawToAddress=提现地址
portfolio.pending.step5_buyer.moveToHavenoWallet=在 Haveno 钱包中保留资金
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=充值 Haveno 钱包
funds.deposit.noAddresses=尚未生成存款地址
funds.deposit.fundWallet=充值您的钱包
funds.deposit.withdrawFromWallet=从钱包转出资金
funds.deposit.amount=BTC 数量(可选)
funds.deposit.amount=XMR 数量(可选)
funds.deposit.generateAddress=生成新的地址
funds.deposit.generateAddressSegwit=原生 segwit 格式Bech32
funds.deposit.selectUnused=请从上表中选择一个未使用的地址,而不是生成一个新地址。
@ -940,8 +940,8 @@ support.savedInMailbox=消息保存在收件人的信箱中
support.arrived=消息抵达收件人
support.acknowledged=收件人已确认接收消息
support.error=收件人无法处理消息。错误:{0}
support.buyerAddress=BTC 买家地址
support.sellerAddress=BTC 卖家地址
support.buyerAddress=XMR 买家地址
support.sellerAddress=XMR 卖家地址
support.role=角色
support.agent=Support agent
support.state=状态
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=关闭
support.open=打开
support.process=Process
support.buyerMaker=BTC 买家/挂单者
support.sellerMaker=BTC 卖家/挂单者
support.buyerTaker=BTC 买家/买单者
support.sellerTaker=BTC 卖家/买单者
support.buyerMaker=XMR 买家/挂单者
support.sellerMaker=XMR 卖家/挂单者
support.buyerTaker=XMR 买家/买单者
support.sellerTaker=XMR 卖家/买单者
support.backgroundInfo=Haveno 不是一家公司,因此它以不同的方式处理纠纷。\n\n交易者可以在应用程序内通过打开交易屏幕上的安全聊天来尝试自行解决纠纷。如果这不够仲裁员将评估情况并决定交易资金的支付。
support.initialInfo=请在下面的文本框中输入您的问题描述。添加尽可能多的信息,以加快解决纠纷的时间。\n\n以下是你应提供的资料核对表\n\t●如果您是 BTC 买家:您是否使用法定货币或其他加密货币转账?如果是,您是否点击了应用程序中的“支付开始”按钮?\n\t●如果您是 BTC 卖家:您是否收到法定货币或其他加密货币的付款了?如果是,你是否点击了应用程序中的“已收到付款”按钮?\n\t●您使用的是哪个版本的 Haveno\n\t●您使用的是哪种操作系统\n\t●如果遇到操作执行失败的问题请考虑切换到新的数据目录。\n\t有时数据目录会损坏并导致奇怪的错误。\n详见https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n请熟悉纠纷处理的基本规则\n\t●您需要在2天内答复 {0} 的请求。\n\t●调解员会在2天之内答复仲裁员会在5天之内答复。\n\t●纠纷的最长期限为14天。\n\t●你需要与仲裁员合作提供他们为你的案件所要求的信息。\n\t●当您第一次启动应用程序时您接受了用户协议中争议文档中列出的规则。\n\n您可以通过 {2} 了解有关纠纷处理的更多信息
support.initialInfo=请在下面的文本框中输入您的问题描述。添加尽可能多的信息,以加快解决纠纷的时间。\n\n以下是你应提供的资料核对表\n\t●如果您是 XMR 买家:您是否使用法定货币或其他加密货币转账?如果是,您是否点击了应用程序中的“支付开始”按钮?\n\t●如果您是 XMR 卖家:您是否收到法定货币或其他加密货币的付款了?如果是,你是否点击了应用程序中的“已收到付款”按钮?\n\t●您使用的是哪个版本的 Haveno\n\t●您使用的是哪种操作系统\n\t●如果遇到操作执行失败的问题请考虑切换到新的数据目录。\n\t有时数据目录会损坏并导致奇怪的错误。\n详见https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n请熟悉纠纷处理的基本规则\n\t●您需要在2天内答复 {0} 的请求。\n\t●调解员会在2天之内答复仲裁员会在5天之内答复。\n\t●纠纷的最长期限为14天。\n\t●你需要与仲裁员合作提供他们为你的案件所要求的信息。\n\t●当您第一次启动应用程序时您接受了用户协议中争议文档中列出的规则。\n\n您可以通过 {2} 了解有关纠纷处理的更多信息
support.systemMsg=系统消息:{0}
support.youOpenedTicket=您创建了帮助请求。\n\n{0}\n\nHaveno 版本:{1}
support.youOpenedDispute=您创建了一个纠纷请求。\n\n{0}\n\nHaveno 版本:{1}
@ -985,7 +985,7 @@ setting.preferences.avoidStandbyMode=避免待机模式
setting.preferences.autoConfirmXMR=XMR 自动确认
setting.preferences.autoConfirmEnabled=启用
setting.preferences.autoConfirmRequiredConfirmations=已要求确认
setting.preferences.autoConfirmMaxTradeSize=最大交易量(BTC
setting.preferences.autoConfirmMaxTradeSize=最大交易量(XMR
setting.preferences.autoConfirmServiceAddresses=Monero Explorer 链接使用Tor但本地主机LAN IP地址和 *.local 主机名除外)
setting.preferences.deviationToLarge=值不允许大于30%
setting.preferences.txFee=提现交易手续费(聪/字节)
@ -1022,7 +1022,7 @@ settings.preferences.editCustomExplorer.name=名称
settings.preferences.editCustomExplorer.txUrl=交易 URL
settings.preferences.editCustomExplorer.addressUrl=地址 URL
settings.net.btcHeader=比特币网络
settings.net.xmrHeader=比特币网络
settings.net.p2pHeader=Haveno 网络
settings.net.onionAddressLabel=我的匿名地址
settings.net.xmrNodesLabel=使用自定义比特币主节点
@ -1036,7 +1036,7 @@ settings.net.warn.usePublicNodes=如果您使用公共的Monero节点您将
settings.net.warn.usePublicNodes.useProvided=不,使用给定的节点
settings.net.warn.usePublicNodes.usePublic=使用公共网络
settings.net.warn.useCustomNodes.B2XWarning=请确保您的比特币节点是一个可信的比特币核心节点!\n\n连接到不遵循比特币核心共识规则的节点可能会损坏您的钱包并在交易过程中造成问题。\n\n连接到违反共识规则的节点的用户应对任何由此造成的损害负责。任何由此产生的纠纷都将有利于另一方。对于忽略此警告和保护机制的用户不提供任何技术支持
settings.net.warn.invalidBtcConfig=由于您的配置无效,无法连接至比特币网络。\n\n您的配置已经被重置为默认比特币节点。你需要重启 Haveno。
settings.net.warn.invalidXmrConfig=由于您的配置无效,无法连接至比特币网络。\n\n您的配置已经被重置为默认比特币节点。你需要重启 Haveno。
settings.net.localhostXmrNodeInfo=背景信息Haveno 在启动时会在本地查找比特币节点。如果有Haveno 将只通过它与比特币网络进行通信。
settings.net.p2PPeersLabel=已连接节点
settings.net.onionAddressColumn=匿名地址
@ -1044,7 +1044,7 @@ settings.net.creationDateColumn=已建立连接
settings.net.connectionTypeColumn=入/出
settings.net.sentDataLabel=统计数据已发送
settings.net.receivedDataLabel=统计数据已接收
settings.net.chainHeightLabel=最新 BTC 区块高度
settings.net.chainHeightLabel=最新 XMR 区块高度
settings.net.roundTripTimeColumn=延迟
settings.net.sentBytesColumn=发送
settings.net.receivedBytesColumn=接收
@ -1059,7 +1059,7 @@ settings.net.needRestart=您需要重启应用程序以同意这次变更。\n
settings.net.notKnownYet=至今未知...
settings.net.sentData=已发送数据 {0}{1} 条消息,{2} 条消息/秒
settings.net.receivedData=已接收数据 {0}{1} 条消息,{2} 条消息/秒
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=添加逗号分隔的 IP 地址及端口如使用8333端口可不填写。
settings.net.seedNode=种子节点
settings.net.directPeer=节点(直连)
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=选择未完成交易并点击:{0}
setting.about.shortcuts.walletDetails=打开钱包详情窗口
setting.about.shortcuts.openEmergencyBtcWalletTool=打开应急 BTC 钱包工具
setting.about.shortcuts.openEmergencyXmrWalletTool=打开应急 XMR 钱包工具
setting.about.shortcuts.showTorLogs=在 DEBUG 与 WARN 之间切换 Tor 日志等级
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=发送私人通知到对等点
setting.about.shortcuts.sendPrivateNotification.value=点击交易伙伴头像并按下:{0} 以显示更多信息
setting.info.headline=新 XMR 自动确认功能
setting.info.msg=当你完成 BTC/XMR 交易时,您可以使用自动确认功能来验证是否向您的钱包中发送了正确数量的 XMR以便 Haveno 可以自动将交易标记为完成,从而使每个人都可以更快地进行交易。\n\n自动确认使用 XMR 发送方提供的交易密钥在至少 2 个 XMR 区块浏览器节点上检查 XMR 交易。在默认情况下Haveno 使用由 Haveno 贡献者运行的区块浏览器节点,但是我们建议运行您自己的 XMR 区块浏览器节点以最大程度地保护隐私和安全。\n\n您还可以在``设置''中将每笔交易的最大 BTC 数量设置为自动确认以及所需确认的数量。\n\n在 Haveno Wiki 上查看更多详细信息包括如何设置自己的区块浏览器节点https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
setting.info.msg=当你完成 XMR/XMR 交易时,您可以使用自动确认功能来验证是否向您的钱包中发送了正确数量的 XMR以便 Haveno 可以自动将交易标记为完成,从而使每个人都可以更快地进行交易。\n\n自动确认使用 XMR 发送方提供的交易密钥在至少 2 个 XMR 区块浏览器节点上检查 XMR 交易。在默认情况下Haveno 使用由 Haveno 贡献者运行的区块浏览器节点,但是我们建议运行您自己的 XMR 区块浏览器节点以最大程度地保护隐私和安全。\n\n您还可以在``设置''中将每笔交易的最大 XMR 数量设置为自动确认以及所需确认的数量。\n\n在 Haveno Wiki 上查看更多详细信息包括如何设置自己的区块浏览器节点https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
####################################################################
# Account
####################################################################
@ -1151,7 +1151,7 @@ account.menu.backup=备份
account.menu.notifications=通知
account.menu.walletInfo.balance.headLine=钱包余额
account.menu.walletInfo.balance.info=这里包括内部钱包余额包括未确认交易。\n对于 BTC,下方显示的内部钱包的余额将会是窗口右上方的“可用”与“保留”余额的总和。
account.menu.walletInfo.balance.info=这里包括内部钱包余额包括未确认交易。\n对于 XMR,下方显示的内部钱包的余额将会是窗口右上方的“可用”与“保留”余额的总和。
account.menu.walletInfo.xpub.headLine=监控密钥xpub keys
account.menu.walletInfo.walletSelector={0} {1} 钱包
account.menu.walletInfo.path.headLine=HD 密钥链路径
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=在 Haveno 上交易 ParsiCoin 需要您了解并
account.crypto.popup.blk-burnt.msg=要交易烧毁的货币,你需要知道以下几点:\n\n烧毁的货币是不能花的。要在 Haveno 上交易它们输出脚本需要采用以下形式OP_RETURN OP_PUSHDATA后跟相关的数据字节这些字节经过十六进制编码后构成地址。例如地址为666f6f在UTF-8中的"foo")的烧毁的货币将有以下脚本:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\n要创建烧毁的货币您可以使用“烧毁”RPC命令它在一些钱包可用。\n\n对于可能的情况可以查看 https://ibo.laboratorium.ee\n\n因为烧毁的货币是不能用的所以不能重新出售。“出售”烧毁的货币意味着焚烧初始的货币与目的地地址相关联的数据。\n\n如果发生争议BLK 卖方需要提供交易哈希。
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=在 Haveno 上交易 L-BTC 你必须理解下述条款:\n\n当你在 Haveno 上接受 L-BTC 交易时,你不能使用手机 Blockstream Green Wallet 或者是一个托管/交易钱包。你必须只接收 L-BTC 到 Liquid Elements Core 钱包,或另一个 L-BTC 钱包且允许你获得匿名的 L-BTC 地址以及密钥。\n\n在需要进行调解的情况下或者如果发生了交易纠纷您必须将接收 L-BTC地址的安全密钥披露给 Haveno 调解员或退款代理,以便他们能够在他们自己的 Elements Core 全节点上验证您的匿名交易的细节。\n\n如果你不了解或了解这些要求不要在 Haveno 上交易 L-BTC
account.crypto.popup.liquidmonero.msg=在 Haveno 上交易 L-XMR 你必须理解下述条款:\n\n当你在 Haveno 上接受 L-XMR 交易时,你不能使用手机 Blockstream Green Wallet 或者是一个托管/交易钱包。你必须只接收 L-XMR 到 Liquid Elements Core 钱包,或另一个 L-XMR 钱包且允许你获得匿名的 L-XMR 地址以及密钥。\n\n在需要进行调解的情况下或者如果发生了交易纠纷您必须将接收 L-XMR地址的安全密钥披露给 Haveno 调解员或退款代理,以便他们能够在他们自己的 Elements Core 全节点上验证您的匿名交易的细节。\n\n如果你不了解或了解这些要求不要在 Haveno 上交易 L-XMR
account.traditional.yourTraditionalAccounts=您的法定货币账户
@ -1229,7 +1229,7 @@ account.password.setPw.headline=设置钱包的密码保护
account.password.info=启用密码保护后,在应用程序启动时、从您的钱包提取门罗币时以及显示种子词时,您将需要输入密码。
account.seed.backup.title=备份您的钱包还原密钥
account.seed.info=请写下钱包还原密钥和时间!\n您可以通过还原密钥和时间在任何时候恢复您的钱包。\n还原密钥用于 BTC 和 BSQ 钱包。\n\n您应该在一张纸上写下还原密钥并且不要保存它们在您的电脑上。\n请注意还原密钥并不能代替备份。\n您需要备份完整的应用程序目录在”账户/备份“界面去恢复有效的应用程序状态和数据。
account.seed.info=请写下钱包还原密钥和时间!\n您可以通过还原密钥和时间在任何时候恢复您的钱包。\n还原密钥用于 XMR 和 BSQ 钱包。\n\n您应该在一张纸上写下还原密钥并且不要保存它们在您的电脑上。\n请注意还原密钥并不能代替备份。\n您需要备份完整的应用程序目录在”账户/备份“界面去恢复有效的应用程序状态和数据。
account.seed.backup.warning=请注意种子词不能替代备份。您需要为整个应用目录(在“账户/备份”选项卡中)以恢复应用状态以及数据。\n导入种子词仅在紧急情况时才推荐使用。 如果没有正确备份数据库文件和密钥,该应用程序将无法运行!\n\n在 Haveno wiki 中查看更多信息: https://haveno.exchange/wiki/Backing_up_application_data
account.seed.warn.noPw.msg=您还没有设置一个可以保护还原密钥显示的钱包密码。\n\n要显示还原密钥吗
account.seed.warn.noPw.yes=是的,不要再问我
@ -1259,13 +1259,13 @@ account.notifications.trade.label=接收交易信息
account.notifications.market.label=接收报价提醒
account.notifications.price.label=接收价格提醒
account.notifications.priceAlert.title=价格提醒
account.notifications.priceAlert.high.label=提醒条件:当 BTC 价格高于
account.notifications.priceAlert.low.label=提醒条件:当 BTC 价格低于
account.notifications.priceAlert.high.label=提醒条件:当 XMR 价格高于
account.notifications.priceAlert.low.label=提醒条件:当 XMR 价格低于
account.notifications.priceAlert.setButton=设置价格提醒
account.notifications.priceAlert.removeButton=取消价格提醒
account.notifications.trade.message.title=交易状态已变更
account.notifications.trade.message.msg.conf=ID 为 {0} 的交易的存款交易已被确认。请打开您的 Haveno 应用程序并开始付款。
account.notifications.trade.message.msg.started=BTC 买家已经开始支付 ID 为 {0} 的交易。
account.notifications.trade.message.msg.started=XMR 买家已经开始支付 ID 为 {0} 的交易。
account.notifications.trade.message.msg.completed=ID 为 {0} 的交易已完成。
account.notifications.offer.message.title=您的报价已被接受
account.notifications.offer.message.msg=您的 ID 为 {0} 的报价已被接受
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=您收到了一个 ID 为 {0} 的交
account.notifications.marketAlert.title=报价提醒
account.notifications.marketAlert.selectPaymentAccount=提供匹配的付款帐户
account.notifications.marketAlert.offerType.label=我感兴趣的报价类型
account.notifications.marketAlert.offerType.buy=买入报价(我想要出售 BTC
account.notifications.marketAlert.offerType.sell=卖出报价(我想要购买 BTC
account.notifications.marketAlert.offerType.buy=买入报价(我想要出售 XMR
account.notifications.marketAlert.offerType.sell=卖出报价(我想要购买 XMR
account.notifications.marketAlert.trigger=报价距离(%
account.notifications.marketAlert.trigger.info=设置价格区间后,只有当满足(或超过)您的需求的报价发布时,您才会收到提醒。您想卖 BTC ,但你只能以当前市价的 2% 溢价出售。将此字段设置为 2% 将确保您只收到高于当前市场价格 2%(或更多)的报价的提醒。
account.notifications.marketAlert.trigger.info=设置价格区间后,只有当满足(或超过)您的需求的报价发布时,您才会收到提醒。您想卖 XMR ,但你只能以当前市价的 2% 溢价出售。将此字段设置为 2% 将确保您只收到高于当前市场价格 2%(或更多)的报价的提醒。
account.notifications.marketAlert.trigger.prompt=与市场价格的百分比距离(例如 2.50 -0.50 等)
account.notifications.marketAlert.addButton=添加报价提醒
account.notifications.marketAlert.manageAlertsButton=管理报价提醒
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=可用余额
contractWindow.title=纠纷详情
contractWindow.dates=报价时间/交易时间
contractWindow.btcAddresses=BTC 买家/BTC 卖家的比特币地址
contractWindow.onions=BTC 买家/BTC 卖家的网络地址
contractWindow.accountAge=BTC 买家/BTC 卖家的账龄
contractWindow.numDisputes=BTC 买家/BTC 卖家的纠纷编号
contractWindow.xmrAddresses=XMR 买家/XMR 卖家的比特币地址
contractWindow.onions=XMR 买家/XMR 卖家的网络地址
contractWindow.accountAge=XMR 买家/XMR 卖家的账龄
contractWindow.numDisputes=XMR 买家/XMR 卖家的纠纷编号
contractWindow.contractHash=合同哈希
displayAlertMessageWindow.headline=重要资料!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=概要
disputeSummaryWindow.openDate=工单创建时间
disputeSummaryWindow.role=交易者的角色
disputeSummaryWindow.payout=交易金额支付
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} 获得交易金额支付
disputeSummaryWindow.payout.getsAll=最大 BTC 支付数 {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} 获得交易金额支付
disputeSummaryWindow.payout.getsAll=最大 XMR 支付数 {0}
disputeSummaryWindow.payout.custom=自定义支付
disputeSummaryWindow.payoutAmount.buyer=买家支付金额
disputeSummaryWindow.payoutAmount.seller=卖家支付金额
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=关闭话题
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=工单已关闭{0}\n{1} 节点地址:{12}\n\n总结\n交易 ID{3}\n货币{4}\n交易金额{5}\nBTC 买家支付金额:{6}\nBTC 卖家支付金额:{7}\n\n纠纷原因{8}\n\n总结\n{9}\n
disputeSummaryWindow.close.msg=工单已关闭{0}\n{1} 节点地址:{12}\n\n总结\n交易 ID{3}\n货币{4}\n交易金额{5}\nXMR 买家支付金额:{6}\nXMR 卖家支付金额:{7}\n\n纠纷原因{8}\n\n总结\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1432,7 +1432,7 @@ filterWindow.xmrFeeReceiverAddresses=比特币手续费接收地址
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=最小 BTC 数量
offerDetailsWindow.minXmrAmount=最小 XMR 数量
offerDetailsWindow.min=(最小 {0}
offerDetailsWindow.distance=(与市场价格的差距:{0}
offerDetailsWindow.myTradingAccount=我的交易账户
@ -1497,7 +1497,7 @@ tradeDetailsWindow.agentAddresses=仲裁员/调解员
tradeDetailsWindow.detailData=详情数据
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1507,7 +1507,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=输入密码解锁
@ -1534,12 +1534,12 @@ torNetworkSettingWindow.bridges.header=Tor 网络被屏蔽?
torNetworkSettingWindow.bridges.info=如果 Tor 被您的 Internet 提供商或您的国家或地区屏蔽,您可以尝试使用 Tor 网桥。\n \n访问 Tor 网页https://bridges.torproject.org/bridges了解关于网桥和可插拔传输的更多信息。
feeOptionWindow.headline=选择货币支付交易手续费
feeOptionWindow.info=您可以选择用 BSQ 或 BTC 支付交易费用。如果您选择 BSQ ,您会感谢这些交易手续费折扣。
feeOptionWindow.info=您可以选择用 BSQ 或 XMR 支付交易费用。如果您选择 BSQ ,您会感谢这些交易手续费折扣。
feeOptionWindow.optionsLabel=选择货币支付交易手续费
feeOptionWindow.useBTC=使用 BTC
feeOptionWindow.useXMR=使用 XMR
feeOptionWindow.fee={0}(≈ {1}
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1581,7 +1581,7 @@ popup.warning.noTradingAccountSetup.msg=您需要设置法定货币或数字货
popup.warning.noArbitratorsAvailable=没有仲裁员可用。
popup.warning.noMediatorsAvailable=没有调解员可用。
popup.warning.notFullyConnected=您需要等到您完全连接到网络\n在启动时可能需要2分钟。
popup.warning.notSufficientConnectionsToBtcNetwork=你需要等待至少有{0}个与比特币网络的连接点。
popup.warning.notSufficientConnectionsToXmrNetwork=你需要等待至少有{0}个与比特币网络的连接点。
popup.warning.downloadNotComplete=您需要等待,直到丢失的比特币区块被下载完毕。
popup.warning.chainNotSynced=Haveno 钱包区块链高度没有正确地同步。如果最近才打开应用,请等待一个新发布的比特币区块。\n\n你可以检查区块链高度在设置/网络信息。如果经过了一个区块但问题还是没有解决,你应该及时的完成 SPV 链重新同步。https://haveno.exchange/wiki/Resyncing_SPV_file
popup.warning.removeOffer=您确定要移除该报价吗?
@ -1605,7 +1605,7 @@ popup.warning.priceRelay=价格传递
popup.warning.seed=种子
popup.warning.mandatoryUpdate.trading=请更新到最新的 Haveno 版本。强制更新禁止了旧版本进行交易。更多信息请访问 Haveno 论坛。
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=这笔交易是无法实现,因为 {0} 的挖矿手续费用会超过 {1} 的转账金额。请等到挖矿手续费再次降低或您积累了更多的 BTC 来转账。
popup.warning.burnXMR=这笔交易是无法实现,因为 {0} 的挖矿手续费用会超过 {1} 的转账金额。请等到挖矿手续费再次降低或您积累了更多的 XMR 来转账。
popup.warning.openOffer.makerFeeTxRejected=交易 ID 为 {0} 的挂单费交易被比特币网络拒绝。\n交易 ID = {1}\n交易已被移至失败交易。\n请到“设置/网络信息”进行 SPV 重新同步。\n如需更多帮助请联系 Haveno Keybase 团队的 Support 频道
@ -1681,9 +1681,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=未能验证公钥
notification.trade.headline=交易 ID {0} 的通知
notification.ticket.headline=交易 ID {0} 的帮助话题
notification.trade.completed=交易现在完成,您可以提取资金。
notification.trade.accepted=BTC {0} 的报价被接受。
notification.trade.accepted=XMR {0} 的报价被接受。
notification.trade.unlocked=您的交易至少有一个区块链确认。\n您现在可以开始付款。
notification.trade.paymentSent=BTC 买家已经开始付款。
notification.trade.paymentSent=XMR 买家已经开始付款。
notification.trade.selectTrade=选择交易
notification.trade.peerOpenedDispute=您的交易对象创建了一个 {0}。
notification.trade.disputeClosed=这个 {0} 被关闭。
@ -1949,12 +1949,12 @@ payment.checking=检查
payment.savings=保存
payment.personalId=个人 ID
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle是一项转账服务转账到其他银行做的很好。\n\n1.检查此页面以查看您的银行是否(以及如何)与 Zelle 合作:\nhttps://www.zellepay.com/get-started\n\n2.特别注意您的转账限额-汇款限额因银行而异,银行通常分别指定每日,每周和每月的限额。\n\n3.如果您的银行不能使用 Zelle您仍然可以通过 Zelle 移动应用程序使用它,但是您的转账限额会低得多。\n\n4.您的 Haveno 帐户上指定的名称必须与 Zelle/银行帐户上的名称匹配。 \n\n如果您无法按照贸易合同中的规定完成 Zelle 交易,则可能会损失部分(或全部)保证金。\n\n由于 Zelle 的拒付风险较高,因此建议卖家通过电子邮件或 SMS 与未签名的买家联系,以确认买家确实拥有 Haveno 中指定的 Zelle 帐户。
payment.fasterPayments.newRequirements.info=有些银行已经开始核实快捷支付收款人的全名。您当前的快捷支付帐户没有填写全名。\n\n请考虑在 Haveno 中重新创建您的快捷支付帐户,为将来的 {0} 买家提供一个完整的姓名。\n\n重新创建帐户时请确保将银行区号、帐户编号和帐龄验证盐值从旧帐户复制到新帐户。这将确保您现有的帐龄和签名状态得到保留。
payment.moneyGram.info=使用 MoneyGram 时,BTC 买方必须将授权号码和收据的照片通过电子邮件发送给 BTC 卖方。收据必须清楚地显示卖方的全名、国家或地区、州和金额。买方将在交易过程中显示卖方的电子邮件。
payment.westernUnion.info=使用 Western Union 时,BTC 买方必须通过电子邮件将 MTCN运单号和收据照片发送给 BTC 卖方。收据上必须清楚地显示卖方的全名、城市、国家或地区和金额。买方将在交易过程中显示卖方的电子邮件。
payment.halCash.info=使用 HalCash 时,BTC 买方需要通过手机短信向 BTC 卖方发送 HalCash 代码。\n\n请确保不要超过银行允许您用半现金汇款的最高金额。每次取款的最低金额是 10 欧元,最高金额是 10 欧元。金额是 600 欧元。对于重复取款,每天每个接收者 3000 欧元,每月每个接收者 6000 欧元。请与您的银行核对这些限额,以确保它们使用与此处所述相同的限额。\n\n提现金额必须是 10 欧元的倍数,因为您不能从 ATM 机提取其他金额。 创建报价和下单屏幕中的 UI 将调整 BTC 金额,使 EUR 金额正确。你不能使用基于市场的价格,因为欧元的数量会随着价格的变化而变化。\n
payment.moneyGram.info=使用 MoneyGram 时,XMR 买方必须将授权号码和收据的照片通过电子邮件发送给 XMR 卖方。收据必须清楚地显示卖方的全名、国家或地区、州和金额。买方将在交易过程中显示卖方的电子邮件。
payment.westernUnion.info=使用 Western Union 时,XMR 买方必须通过电子邮件将 MTCN运单号和收据照片发送给 XMR 卖方。收据上必须清楚地显示卖方的全名、城市、国家或地区和金额。买方将在交易过程中显示卖方的电子邮件。
payment.halCash.info=使用 HalCash 时,XMR 买方需要通过手机短信向 XMR 卖方发送 HalCash 代码。\n\n请确保不要超过银行允许您用半现金汇款的最高金额。每次取款的最低金额是 10 欧元,最高金额是 10 欧元。金额是 600 欧元。对于重复取款,每天每个接收者 3000 欧元,每月每个接收者 6000 欧元。请与您的银行核对这些限额,以确保它们使用与此处所述相同的限额。\n\n提现金额必须是 10 欧元的倍数,因为您不能从 ATM 机提取其他金额。 创建报价和下单屏幕中的 UI 将调整 XMR 金额,使 EUR 金额正确。你不能使用基于市场的价格,因为欧元的数量会随着价格的变化而变化。\n
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=请注意所有银行转账都有一定的退款风险。为了降低这一风险Haveno 基于使用的付款方式的退款风险。\n\n对于付款方式您的每笔交易的出售和购买的限额为{2}\n\n限制只应用在单笔交易你可以尽可能多的进行交易。\n\n在 Haveno Wiki 查看更多信息[HYPERLINK:https://haveno.exchange/wiki/Account_limits]。
# suppress inspection "UnusedProperty"
@ -1970,7 +1970,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=在 Haveno 上交易 US Postal Money Orders USPMO您必须理解下述条款\n\n- BTC 买方必须在发送方和收款人字段中都写上 BTC 卖方的名称,并在发送之前对 USPMO 和信封进行高分辨率照片拍照,并带有跟踪证明。\n- BTC 买方必须将 USPMO 连同交货确认书一起发送给 BTC 卖方。\n\n如果需要调解或有交易纠纷您将需要将照片连同 USPMO 编号,邮局编号和交易金额一起发送给 Haveno 调解员或退款代理,以便他们进行验证美国邮局网站上的详细信息。\n\n如未能提供要求的交易数据将在纠纷中直接判负\n\n在所有争议案件中USPMO 发送方在向调解人或仲裁员提供证据/证明时承担 100 的责任。\n\n如果您不理解这些要求请不要在 Haveno 上使用 USPMO 进行交易。
payment.usPostalMoneyOrder.info=在 Haveno 上交易 US Postal Money Orders USPMO您必须理解下述条款\n\n- XMR 买方必须在发送方和收款人字段中都写上 XMR 卖方的名称,并在发送之前对 USPMO 和信封进行高分辨率照片拍照,并带有跟踪证明。\n- XMR 买方必须将 USPMO 连同交货确认书一起发送给 XMR 卖方。\n\n如果需要调解或有交易纠纷您将需要将照片连同 USPMO 编号,邮局编号和交易金额一起发送给 Haveno 调解员或退款代理,以便他们进行验证美国邮局网站上的详细信息。\n\n如未能提供要求的交易数据将在纠纷中直接判负\n\n在所有争议案件中USPMO 发送方在向调解人或仲裁员提供证据/证明时承担 100 的责任。\n\n如果您不理解这些要求请不要在 Haveno 上使用 USPMO 进行交易。
payment.payByMail.contact=联系方式
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1981,7 +1981,7 @@ payment.f2f.city.prompt=城市将与报价一同显示
payment.shared.optionalExtra=可选的附加信息
payment.shared.extraInfo=附加信息
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info=与网上交易相比,“面对面”交易有不同的规则,也有不同的风险。\n\n主要区别是\n●交易伙伴需要使用他们提供的联系方式交换关于会面地点和时间的信息。\n●交易双方需要携带笔记本电脑在会面地点确认“已发送付款”和“已收到付款”。\n●如果交易方有特殊的“条款和条件”他们必须在账户的“附加信息”文本框中声明这些条款和条件。\n●在发生争议时调解员或仲裁员不能提供太多帮助因为通常很难获得有关会面上所发生情况的篡改证据。在这种情况下BTC 资金可能会被无限期锁定,或者直到交易双方达成协议。\n\n为确保您完全理解“面对面”交易的不同之处请阅读以下说明和建议“https://docs.haveno.exchange/trading-rules.html#f2f-trading”
payment.f2f.info=与网上交易相比,“面对面”交易有不同的规则,也有不同的风险。\n\n主要区别是\n●交易伙伴需要使用他们提供的联系方式交换关于会面地点和时间的信息。\n●交易双方需要携带笔记本电脑在会面地点确认“已发送付款”和“已收到付款”。\n●如果交易方有特殊的“条款和条件”他们必须在账户的“附加信息”文本框中声明这些条款和条件。\n●在发生争议时调解员或仲裁员不能提供太多帮助因为通常很难获得有关会面上所发生情况的篡改证据。在这种情况下XMR 资金可能会被无限期锁定,或者直到交易双方达成协议。\n\n为确保您完全理解“面对面”交易的不同之处请阅读以下说明和建议“https://docs.haveno.exchange/trading-rules.html#f2f-trading”
payment.f2f.info.openURL=打开网页
payment.f2f.offerbook.tooltip.countryAndCity=国家或地区及城市:{0} / {1}
payment.f2f.offerbook.tooltip.extra=附加信息:{0}
@ -1993,7 +1993,7 @@ payment.japan.recipient=名称
payment.australia.payid=PayID
payment.payid=PayID 需链接至金融机构。例如电子邮件地址或手机。
payment.payid.info=PayID如电话号码、电子邮件地址或澳大利亚商业号码ABN您可以安全地连接到您的银行、信用合作社或建立社会帐户。你需要在你的澳大利亚金融机构创建一个 PayID。发送和接收金融机构都必须支持 PayID。更多信息请查看[HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2161,10 +2161,10 @@ validation.sortCodeChars={0} 必须由 {1} 个字符构成。
validation.bankIdNumber={0} 必须由 {1} 个数字构成。
validation.accountNr=账号必须由 {0} 个数字构成。
validation.accountNrChars=账户必须由 {0} 个字符构成。
validation.btc.invalidAddress=地址不正确,请检查地址格式。
validation.xmr.invalidAddress=地址不正确,请检查地址格式。
validation.integerOnly=请输入整数。
validation.inputError=您的输入引起了错误:\n{0}
validation.btc.exceedsMaxTradeLimit=您的交易限额为 {0}。
validation.xmr.exceedsMaxTradeLimit=您的交易限额为 {0}。
validation.nationalAccountId={0} 必须由{1}个数字组成。
#new

View File

@ -36,14 +36,14 @@ shared.iUnderstand=我瞭解
shared.na=N/A
shared.shutDown=完全關閉
shared.reportBug=在 Github 報吿錯誤
shared.buyBitcoin=買入比特幣
shared.sellBitcoin=賣出比特幣
shared.buyMonero=買入比特幣
shared.sellMonero=賣出比特幣
shared.buyCurrency=買入 {0}
shared.sellCurrency=賣出 {0}
shared.buyingBTCWith=用 {0} 買入 BTC
shared.sellingBTCFor=賣出 BTC 為 {0}
shared.buyingCurrency=買入 {0}(賣出 BTC
shared.sellingCurrency=賣出 {0}(買入 BTC
shared.buyingXMRWith=用 {0} 買入 XMR
shared.sellingXMRFor=賣出 XMR 為 {0}
shared.buyingCurrency=買入 {0}(賣出 XMR
shared.sellingCurrency=賣出 {0}(買入 XMR
shared.buy=
shared.sell=
shared.buying=買入
@ -93,7 +93,7 @@ shared.amountMinMax=總額(最小 - 最大)
shared.amountHelp=如果報價包含最小和最大限制,那麼您可以在這個範圍內的任意數量進行交易。
shared.remove=移除
shared.goTo=前往 {0}
shared.BTCMinMax=BTC(最小 - 最大)
shared.XMRMinMax=XMR(最小 - 最大)
shared.removeOffer=移除報價
shared.dontRemoveOffer=不要移除報價
shared.editOffer=編輯報價
@ -112,7 +112,7 @@ shared.enterPercentageValue=輸入 % 值
shared.OR=或者
shared.notEnoughFunds=您的 Haveno 錢包中沒有足夠的資金去支付這一交易 需要{0} 您可用餘額為 {1}。\n\n請從外部比特幣錢包注入資金或在“資金/存款”充值到您的 Haveno 錢包。
shared.waitingForFunds=等待資金充值...
shared.TheBTCBuyer=BTC 買家
shared.TheXMRBuyer=XMR 買家
shared.You=
shared.sendingConfirmation=發送確認...
shared.sendingConfirmationAgain=請再次發送確認
@ -169,7 +169,7 @@ shared.payoutTxId=支出交易 ID
shared.contractAsJson=JSON 格式的合同
shared.viewContractAsJson=查看 JSON 格式的合同
shared.contract.title=交易 ID{0} 的合同
shared.paymentDetails=BTC {0} 支付詳情
shared.paymentDetails=XMR {0} 支付詳情
shared.securityDeposit=保證金
shared.yourSecurityDeposit=你的保證金
shared.contract=合同
@ -179,7 +179,7 @@ shared.messageSendingFailed=消息發送失敗。錯誤:{0}
shared.unlock=解鎖
shared.toReceive=接收
shared.toSpend=花費
shared.btcAmount=BTC 總額
shared.xmrAmount=XMR 總額
shared.yourLanguage=你的語言
shared.addLanguage=添加語言
shared.total=合計
@ -226,8 +226,8 @@ shared.enabled=啟用
####################################################################
mainView.menu.market=交易項目
mainView.menu.buyBtc=買入 BTC
mainView.menu.sellBtc=賣出 BTC
mainView.menu.buyXmr=買入 XMR
mainView.menu.sellXmr=賣出 XMR
mainView.menu.portfolio=業務
mainView.menu.funds=資金
mainView.menu.support=幫助
@ -245,9 +245,9 @@ mainView.balance.reserved.short=保證
mainView.balance.pending.short=凍結
mainView.footer.usingTor=(via Tor)
mainView.footer.localhostBitcoinNode=(本地主機)
mainView.footer.localhostMoneroNode=(本地主機)
mainView.footer.xmrInfo={0} {1}
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrFeeRate=/ Fee rate: {0} sat/vB
mainView.footer.xmrInfo.initializing=連接至比特幣網絡
mainView.footer.xmrInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
mainView.footer.xmrInfo.synchronizedWith=Synced with {0} at block {1}
@ -274,7 +274,7 @@ mainView.walletServiceErrorMsg.connectionError=錯誤:{0} 比特幣網絡連
mainView.walletServiceErrorMsg.rejectedTxException=交易被網絡拒絕。\n\n{0}
mainView.networkWarning.allConnectionsLost=您失去了所有與 {0} 網絡節點的連接。\n您失去了互聯網連接或您的計算機處於待機狀態。
mainView.networkWarning.localhostBitcoinLost=您丟失了與本地主機比特幣節點的連接。\n請重啟 Haveno 應用程序連接到其他比特幣節點或重新啟動主機比特幣節點。
mainView.networkWarning.localhostMoneroLost=您丟失了與本地主機比特幣節點的連接。\n請重啟 Haveno 應用程序連接到其他比特幣節點或重新啟動主機比特幣節點。
mainView.version.update=(有更新可用)
@ -299,9 +299,9 @@ market.offerBook.sell=我想要賣出比特幣
# SpreadView
market.spread.numberOfOffersColumn=所有報價({0}
market.spread.numberOfBuyOffersColumn=買入 BTC{0}
market.spread.numberOfSellOffersColumn=賣出 BTC{0}
market.spread.totalAmountColumn=總共 BTC{0}
market.spread.numberOfBuyOffersColumn=買入 XMR{0}
market.spread.numberOfSellOffersColumn=賣出 XMR{0}
market.spread.totalAmountColumn=總共 XMR{0}
market.spread.spreadColumn=差價
market.spread.expanded=Expanded view
@ -357,7 +357,7 @@ shared.notSigned.noNeedAlts=數字貨幣不適用賬齡與簽名
offerbook.nrOffers=報價數量:{0}
offerbook.volume={0}(最小 - 最大)
offerbook.deposit=BTC 保證金(%
offerbook.deposit=XMR 保證金(%
offerbook.deposit.help=交易雙方均已支付保證金確保這個交易正常進行。這會在交易完成時退還。
offerbook.createOfferToBuy=創建新的報價來買入 {0}
@ -412,13 +412,13 @@ offerbook.info.roundedFiatVolume=金額四捨五入是為了增加您的交易
# Offerbook / Create offer
####################################################################
createOffer.amount.prompt=輸入 BTC 數量
createOffer.amount.prompt=輸入 XMR 數量
createOffer.price.prompt=輸入價格
createOffer.volume.prompt=輸入 {0} 金額
createOffer.amountPriceBox.amountDescription=比特幣數量 {0}
createOffer.amountPriceBox.buy.volumeDescription=花費 {0} 數量
createOffer.amountPriceBox.sell.volumeDescription=接收 {0} 數量
createOffer.amountPriceBox.minAmountDescription=最小 BTC 數量
createOffer.amountPriceBox.minAmountDescription=最小 XMR 數量
createOffer.securityDeposit.prompt=保證金
createOffer.fundsBox.title=為您的報價充值
createOffer.fundsBox.offerFee=掛單費
@ -434,7 +434,7 @@ createOffer.info.sellAboveMarketPrice=由於您的價格是持續更新的,因
createOffer.info.buyBelowMarketPrice=由於您的價格是持續更新的,因此您將始終支付低於市場價 {0}% 的價格。
createOffer.warning.sellBelowMarketPrice=由於您的價格是持續更新的,因此您將始終按照低於市場價 {0}% 的價格出售。
createOffer.warning.buyAboveMarketPrice=由於您的價格是持續更新的,因此您將始終支付高於市場價 {0}% 的價格。
createOffer.tradeFee.descriptionBTCOnly=掛單費
createOffer.tradeFee.descriptionXMROnly=掛單費
createOffer.tradeFee.descriptionBSQEnabled=選擇手續費幣種
createOffer.triggerPrice.prompt=Set optional trigger price
@ -477,12 +477,12 @@ createOffer.minSecurityDepositUsed=已使用最低買家保證金
# Offerbook / Take offer
####################################################################
takeOffer.amount.prompt=輸入 BTC 數量
takeOffer.amount.prompt=輸入 XMR 數量
takeOffer.amountPriceBox.buy.amountDescription=賣出比特幣數量
takeOffer.amountPriceBox.sell.amountDescription=買入比特幣數量
takeOffer.amountPriceBox.priceDescription=每個比特幣的 {0} 價格
takeOffer.amountPriceBox.amountRangeDescription=可用數量範圍
takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces=你輸入的數量超過允許的小數位數。\n數量已被調整為4位小數。
takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces=你輸入的數量超過允許的小數位數。\n數量已被調整為4位小數。
takeOffer.validation.amountSmallerThanMinAmount=數量不能比報價內設置的最小數量小。
takeOffer.validation.amountLargerThanOfferAmount=數量不能比報價提供的總量大。
takeOffer.validation.amountLargerThanOfferAmountMinusFee=該輸入數量可能會給賣家造成比特幣碎片。
@ -597,29 +597,29 @@ portfolio.pending.step1.openForDispute=保證金交易仍未得到確認。請
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2.confReached=Your trade has reached at least one blockchain confirmation.\n\n
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'bitcoin', 'BTC', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
portfolio.pending.step2_buyer.refTextWarn=Important: when making the payment, leave the \"reason for payment\" field empty. DO NOT put the trade ID or any other text like 'monero', 'XMR', or 'Haveno'. You are free to discuss via trader chat if an alternate \"reason for payment\" would be suitable to you both.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.fees=If your bank charges you any fees to make the transfer, you are responsible for paying those fees.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.crypto=請從您的外部 {0} 錢包劃轉\n{1} 到 BTC 賣家。\n\n
portfolio.pending.step2_buyer.crypto=請從您的外部 {0} 錢包劃轉\n{1} 到 XMR 賣家。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.cash=請到銀行並支付 {0} 給 BTC 賣家。\n\n
portfolio.pending.step2_buyer.cash.extra=重要要求:\n完成付款後在紙質收據上寫下不退款。\n然後將其撕成2份拍照片併發送給 BTC 賣家的電子郵件地址。
portfolio.pending.step2_buyer.cash=請到銀行並支付 {0} 給 XMR 賣家。\n\n
portfolio.pending.step2_buyer.cash.extra=重要要求:\n完成付款後在紙質收據上寫下不退款。\n然後將其撕成2份拍照片併發送給 XMR 賣家的電子郵件地址。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.moneyGram=請使用 MoneyGram 向 BTC 賣家支付 {0}。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要要求:\n完成支付後請通過電郵發送授權編號和照片給 BTC 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。
portfolio.pending.step2_buyer.moneyGram=請使用 MoneyGram 向 XMR 賣家支付 {0}。\n\n
portfolio.pending.step2_buyer.moneyGram.extra=重要要求:\n完成支付後請通過電郵發送授權編號和照片給 XMR 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.westernUnion=請使用 Western Union 向 BTC 賣家支付 {0}。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要要求:\n完成支付後請通過電郵發送 MTCN追蹤號碼和照片給 BTC 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。
portfolio.pending.step2_buyer.westernUnion=請使用 Western Union 向 XMR 賣家支付 {0}。\n\n
portfolio.pending.step2_buyer.westernUnion.extra=重要要求:\n完成支付後請通過電郵發送 MTCN追蹤號碼和照片給 XMR 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.postal=請用“美國郵政匯票”發送 {0} 給 BTC 賣家。\n\n
portfolio.pending.step2_buyer.postal=請用“美國郵政匯票”發送 {0} 給 XMR 賣家。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the BTC seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
portfolio.pending.step2_buyer.payByMail=Please send {0} using \"Pay by Mail\" to the XMR seller. Specific instructions are in the trade contract, or if unclear you may ask questions via trader chat. See more details about Pay by Mail on the Haveno wiki [HYPERLINK:https://haveno.exchange/wiki/Cash_by_Mail].\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the BTC seller. You''ll find the seller's account details on the next screen.\n\n
portfolio.pending.step2_buyer.pay=Please pay {0} via the specified payment method to the XMR seller. You''ll find the seller's account details on the next screen.\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step2_buyer.f2f=請通過提供的聯繫人與 BTC 賣家聯繫,並安排會議支付 {0}。\n\n
portfolio.pending.step2_buyer.f2f=請通過提供的聯繫人與 XMR 賣家聯繫,並安排會議支付 {0}。\n\n
portfolio.pending.step2_buyer.startPaymentUsing=使用 {0} 開始付款
portfolio.pending.step2_buyer.recipientsAccountData=接受 {0}
portfolio.pending.step2_buyer.amountToTransfer=劃轉數量
@ -628,27 +628,27 @@ portfolio.pending.step2_buyer.buyerAccount=您的付款帳户將被使用
portfolio.pending.step2_buyer.paymentSent=付款開始
portfolio.pending.step2_buyer.warn=你還沒有完成你的 {0} 付款!\n請注意交易必須在 {1} 之前完成。
portfolio.pending.step2_buyer.openForDispute=您還沒有完成您的付款!\n最大交易期限已過。請聯繫調解員尋求幫助。
portfolio.pending.step2_buyer.paperReceipt.headline=您是否將紙質收據發送給 BTC 賣家?
portfolio.pending.step2_buyer.paperReceipt.msg=請牢記:\n完成付款後在紙質收據上寫下不退款。\n然後將其撕成2份拍照片併發送給 BTC 賣家的電子郵件地址。
portfolio.pending.step2_buyer.paperReceipt.headline=您是否將紙質收據發送給 XMR 賣家?
portfolio.pending.step2_buyer.paperReceipt.msg=請牢記:\n完成付款後在紙質收據上寫下不退款。\n然後將其撕成2份拍照片併發送給 XMR 賣家的電子郵件地址。
portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=發送授權編號和收據
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=請通過電郵發送授權編號和照片給 BTC 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。\n\n您把授權編號和合同發給賣方了嗎
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=請通過電郵發送授權編號和照片給 XMR 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。\n\n您把授權編號和合同發給賣方了嗎
portfolio.pending.step2_buyer.westernUnionMTCNInfo.headline=發送 MTCN 和收據
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=請通過電郵發送 MTCN追蹤號碼和照片給 BTC 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。\n\n您把 MTCN 和合同發給賣方了嗎?
portfolio.pending.step2_buyer.westernUnionMTCNInfo.msg=請通過電郵發送 MTCN追蹤號碼和照片給 XMR 賣家。\n收據必須清楚地向賣家寫明您的全名、城市、國家或地區、數量。賣方的電子郵件是{0}。\n\n您把 MTCN 和合同發給賣方了嗎?
portfolio.pending.step2_buyer.halCashInfo.headline=請發送 HalCash 代碼
portfolio.pending.step2_buyer.halCashInfo.msg=您需要向 BTC 賣家發送帶有 HalCash 代碼和交易 ID{0})的文本消息。\n\n賣方的手機號碼是 {1} 。\n\n您是否已經將代碼發送至賣家?
portfolio.pending.step2_buyer.halCashInfo.msg=您需要向 XMR 賣家發送帶有 HalCash 代碼和交易 ID{0})的文本消息。\n\n賣方的手機號碼是 {1} 。\n\n您是否已經將代碼發送至賣家?
portfolio.pending.step2_buyer.fasterPaymentsHolderNameInfo=有些銀行可能會要求接收方的姓名。在較舊的 Haveno 客户端創建的快速支付帳户沒有提供收款人的姓名,所以請使用交易聊天來獲得收款人姓名(如果需要)。
portfolio.pending.step2_buyer.confirmStart.headline=確定您已經付款
portfolio.pending.step2_buyer.confirmStart.msg=您是否向您的交易夥伴發起 {0} 付款?
portfolio.pending.step2_buyer.confirmStart.yes=是的,我已經開始付款
portfolio.pending.step2_buyer.confirmStart.proof.warningTitle=你沒有提供任何付款證明
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=您還沒有輸入交易 ID 以及交易密鑰\n\n如果不提供此數據您的交易夥伴無法在收到 XMR 後使用自動確認功能以快速釋放 BTC。\n另外Haveno 要求 XMR 發送者在發生糾紛的時候能夠向調解員和仲裁員提供這些信息。\n更多細節在 Haveno Wikihttps://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
portfolio.pending.step2_buyer.confirmStart.proof.noneProvided=您還沒有輸入交易 ID 以及交易密鑰\n\n如果不提供此數據您的交易夥伴無法在收到 XMR 後使用自動確認功能以快速釋放 XMR。\n另外Haveno 要求 XMR 發送者在發生糾紛的時候能夠向調解員和仲裁員提供這些信息。\n更多細節在 Haveno Wikihttps://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
portfolio.pending.step2_buyer.confirmStart.proof.invalidInput=輸入並不是一個 32 字節的哈希值
portfolio.pending.step2_buyer.confirmStart.warningButton=忽略並繼續
portfolio.pending.step2_seller.waitPayment.headline=等待付款
portfolio.pending.step2_seller.f2fInfo.headline=買家的合同信息
portfolio.pending.step2_seller.waitPayment.msg=存款交易至少有一個區塊鏈確認。\n您需要等到 BTC 買家開始 {0} 付款。
portfolio.pending.step2_seller.warn=BTC 買家仍然沒有完成 {0} 付款。\n你需要等到他開始付款。\n如果 {1} 交易尚未完成,仲裁員將進行調查。
portfolio.pending.step2_seller.openForDispute=BTC 買家尚未開始付款!\n允許的最長交易期限已經過去了。你可以繼續等待給予交易雙方更多時間或聯繫仲裁員以爭取解決糾紛。
portfolio.pending.step2_seller.waitPayment.msg=存款交易至少有一個區塊鏈確認。\n您需要等到 XMR 買家開始 {0} 付款。
portfolio.pending.step2_seller.warn=XMR 買家仍然沒有完成 {0} 付款。\n你需要等到他開始付款。\n如果 {1} 交易尚未完成,仲裁員將進行調查。
portfolio.pending.step2_seller.openForDispute=XMR 買家尚未開始付款!\n允許的最長交易期限已經過去了。你可以繼續等待給予交易雙方更多時間或聯繫仲裁員以爭取解決糾紛。
tradeChat.chatWindowTitle=使用 ID “{0}” 進行交易的聊天窗口
tradeChat.openChat=打開聊天窗口
tradeChat.rules=您可以與您的夥伴溝通,以解決該交易的潛在問題。\n在聊天中不強制回覆。\n如果交易員違反了下面的任何規則打開糾紛並向調解員或仲裁員報吿。\n聊天規則\n\n\t●不要發送任何鏈接有惡意軟件的風險。您可以發送交易 ID 和區塊資源管理器的名稱。\n\t●不要發送還原密鑰、私鑰、密碼或其他敏感信息\n\t●不鼓勵 Haveno 以外的交易(無安全保障)。\n\t●不要參與任何形式的危害社會安全的計劃。\n\t●如果對方沒有迴應也不願意通過聊天進行溝通那就尊重對方的決定。\n\t●將談話範圍限制在行業內。這個聊天不是一個社交軟件替代品或troll-box。\n\t●保持友好和尊重的交談。
@ -666,28 +666,28 @@ message.state.ACKNOWLEDGED=對方確認消息回執
# suppress inspection "UnusedProperty"
message.state.FAILED=發送消息失敗
portfolio.pending.step3_buyer.wait.headline=等待 BTC 賣家付款確定
portfolio.pending.step3_buyer.wait.info=等待 BTC 賣家確認收到 {0} 付款。
portfolio.pending.step3_buyer.wait.headline=等待 XMR 賣家付款確定
portfolio.pending.step3_buyer.wait.info=等待 XMR 賣家確認收到 {0} 付款。
portfolio.pending.step3_buyer.wait.msgStateInfo.label=支付開始消息狀態
portfolio.pending.step3_buyer.warn.part1a=在 {0} 區塊鏈
portfolio.pending.step3_buyer.warn.part1b=在您的支付供應商(例如:銀行)
portfolio.pending.step3_buyer.warn.part2=BTC 賣家仍然沒有確認您的付款。如果付款發送成功,請檢查 {0}。
portfolio.pending.step3_buyer.openForDispute=BTC 賣家還沒有確認你的付款!最大交易期限已過。您可以等待更長時間,並給交易夥伴更多時間或請求調解員的幫助。
portfolio.pending.step3_buyer.warn.part2=XMR 賣家仍然沒有確認您的付款。如果付款發送成功,請檢查 {0}。
portfolio.pending.step3_buyer.openForDispute=XMR 賣家還沒有確認你的付款!最大交易期限已過。您可以等待更長時間,並給交易夥伴更多時間或請求調解員的幫助。
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.part=您的交易夥伴已經確認他們已經發起了 {0} 付款。\n\n
portfolio.pending.step3_seller.crypto.explorer=在您最喜歡的 {0} 區塊鏈瀏覽器
portfolio.pending.step3_seller.crypto.wallet=在您的 {0} 錢包
portfolio.pending.step3_seller.crypto={0} 請檢查 {1} 是否交易已經到您的接收地址\n{2}\n已經有足夠的區塊鏈確認了\n支付金額必須為 {3}\n\n關閉該彈出窗口後您可以從主界面複製並粘貼 {4} 地址。
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the BTC buyer.
portfolio.pending.step3_seller.postal={0}Please check if you have received {1} with \"US Postal Money Order\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the BTC buyer.
portfolio.pending.step3_seller.payByMail={0}Please check if you have received {1} with \"Pay by Mail\" from the XMR buyer.
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the BTC buyer.
portfolio.pending.step3_seller.cash=因為付款是通過現金存款完成的,BTC 買家必須在紙質收據上寫“不退款”將其撕成2份並通過電子郵件向您發送照片。\n\n為避免退款風險請僅確認您是否收到電子郵件如果您確定收據有效。\n如果您不確定{0}
portfolio.pending.step3_seller.moneyGram=買方必須發送授權編碼和一張收據的照片。\n收據必須清楚地顯示您的全名、城市、國家或地區、數量。如果您收到授權編碼請查收郵件。\n\n關閉彈窗後您將看到 BTC 買家的姓名和在 MoneyGram 的收款地址。\n\n只有在您成功收到錢之後再確認收據
portfolio.pending.step3_seller.westernUnion=買方必須發送 MTCN跟蹤號碼和一張收據的照片。\n收據必須清楚地顯示您的全名、城市、國家或地區、數量。如果您收到 MTCN請查收郵件。\n\n關閉彈窗後您將看到 BTC 買家的姓名和在 Western Union 的收款地址。\n\n只有在您成功收到錢之後再確認收據
portfolio.pending.step3_seller.bank=Your trading partner has confirmed that they have initiated the {0} payment.\n\nPlease go to your online banking web page and check if you have received {1} from the XMR buyer.
portfolio.pending.step3_seller.cash=因為付款是通過現金存款完成的,XMR 買家必須在紙質收據上寫“不退款”將其撕成2份並通過電子郵件向您發送照片。\n\n為避免退款風險請僅確認您是否收到電子郵件如果您確定收據有效。\n如果您不確定{0}
portfolio.pending.step3_seller.moneyGram=買方必須發送授權編碼和一張收據的照片。\n收據必須清楚地顯示您的全名、城市、國家或地區、數量。如果您收到授權編碼請查收郵件。\n\n關閉彈窗後您將看到 XMR 買家的姓名和在 MoneyGram 的收款地址。\n\n只有在您成功收到錢之後再確認收據
portfolio.pending.step3_seller.westernUnion=買方必須發送 MTCN跟蹤號碼和一張收據的照片。\n收據必須清楚地顯示您的全名、城市、國家或地區、數量。如果您收到 MTCN請查收郵件。\n\n關閉彈窗後您將看到 XMR 買家的姓名和在 Western Union 的收款地址。\n\n只有在您成功收到錢之後再確認收據
portfolio.pending.step3_seller.halCash=買方必須將 HalCash代碼 用短信發送給您。除此之外,您將收到來自 HalCash 的消息,其中包含從支持 HalCash 的 ATM 中提取歐元所需的信息\n從 ATM 取款後,請在此確認付款收據!
portfolio.pending.step3_seller.amazonGiftCard=BTC 買家已經發送了一張亞馬遜電子禮品卡到您的郵箱或手機短信。請現在立即兑換亞馬遜電子禮品卡到您的亞馬遜賬户中以及確認交易信息。
portfolio.pending.step3_seller.amazonGiftCard=XMR 買家已經發送了一張亞馬遜電子禮品卡到您的郵箱或手機短信。請現在立即兑換亞馬遜電子禮品卡到您的亞馬遜賬户中以及確認交易信息。
portfolio.pending.step3_seller.bankCheck=\n\n還請確認您的銀行對帳單中的發件人姓名與委託合同中的發件人姓名相符\n發件人姓名{0}\n\n如果名稱與此處顯示的名稱不同則 {1}
# suppress inspection "TrailingSpacesInProperty"
@ -701,7 +701,7 @@ portfolio.pending.step3_seller.xmrTxHash=交易記錄 ID
portfolio.pending.step3_seller.xmrTxKey=交易密鑰
portfolio.pending.step3_seller.buyersAccount=買方賬號數據
portfolio.pending.step3_seller.confirmReceipt=確定付款收據
portfolio.pending.step3_seller.buyerStartedPayment=BTC 買家已經開始 {0} 的付款。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment=XMR 買家已經開始 {0} 的付款。\n{1}
portfolio.pending.step3_seller.buyerStartedPayment.crypto=檢查您的數字貨幣錢包或塊瀏覽器的區塊鏈確認,並確認付款時,您有足夠的塊鏈確認。
portfolio.pending.step3_seller.buyerStartedPayment.traditional=檢查您的交易賬户(例如銀行帳户),並確認您何時收到付款。
portfolio.pending.step3_seller.warn.part1a=在 {0} 區塊鏈
@ -713,7 +713,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=您是否收到了您交
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.name=還請確認您的銀行對帳單中的發件人姓名與委託合同中的發件人姓名相符:\n每個交易合約的發送者姓名{0}\n\n如果名稱與此處顯示的名稱不一致請不要通過確認付款而是通過“alt + o”或“option + o”打開糾紛。\n\n
# suppress inspection "TrailingSpacesInProperty"
portfolio.pending.step3_seller.onPaymentReceived.note=請注意,一旦您確認收到,凍結交易金額將被髮放給 BTC 買家,保證金將被退還。
portfolio.pending.step3_seller.onPaymentReceived.note=請注意,一旦您確認收到,凍結交易金額將被髮放給 XMR 買家,保證金將被退還。
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=確定您已經收到付款
portfolio.pending.step3_seller.onPaymentReceived.confirm.yes=是的,我已經收到付款。
portfolio.pending.step3_seller.onPaymentReceived.signer=重要提示:通過確認收到付款,你也驗證了對方的賬户,並獲得驗證。因為對方的賬户還沒有驗證,所以你應該儘可能的延遲付款的確認,以減少退款的風險。
@ -723,7 +723,7 @@ portfolio.pending.step5_buyer.tradeFee=掛單費
portfolio.pending.step5_buyer.makersMiningFee=礦工手續費
portfolio.pending.step5_buyer.takersMiningFee=總共挖礦手續費
portfolio.pending.step5_buyer.refunded=退還保證金
portfolio.pending.step5_buyer.withdrawBTC=提現您的比特幣
portfolio.pending.step5_buyer.withdrawXMR=提現您的比特幣
portfolio.pending.step5_buyer.amount=提現數量
portfolio.pending.step5_buyer.withdrawToAddress=提現地址
portfolio.pending.step5_buyer.moveToHavenoWallet=在 Haveno 錢包中保留資金
@ -833,7 +833,7 @@ funds.deposit.fundHavenoWallet=充值 Haveno 錢包
funds.deposit.noAddresses=尚未生成存款地址
funds.deposit.fundWallet=充值您的錢包
funds.deposit.withdrawFromWallet=從錢包轉出資金
funds.deposit.amount=BTC 數量(可選)
funds.deposit.amount=XMR 數量(可選)
funds.deposit.generateAddress=生成新的地址
funds.deposit.generateAddressSegwit=原生 segwit 格式Bech32
funds.deposit.selectUnused=請從上表中選擇一個未使用的地址,而不是生成一個新地址。
@ -940,8 +940,8 @@ support.savedInMailbox=消息保存在收件人的信箱中
support.arrived=消息抵達收件人
support.acknowledged=收件人已確認接收消息
support.error=收件人無法處理消息。錯誤:{0}
support.buyerAddress=BTC 買家地址
support.sellerAddress=BTC 賣家地址
support.buyerAddress=XMR 買家地址
support.sellerAddress=XMR 賣家地址
support.role=角色
support.agent=Support agent
support.state=狀態
@ -949,13 +949,13 @@ support.chat=Chat
support.closed=關閉
support.open=打開
support.process=Process
support.buyerMaker=BTC 買家/掛單者
support.sellerMaker=BTC 賣家/掛單者
support.buyerTaker=BTC 買家/買單者
support.sellerTaker=BTC 賣家/買單者
support.buyerMaker=XMR 買家/掛單者
support.sellerMaker=XMR 賣家/掛單者
support.buyerTaker=XMR 買家/買單者
support.sellerTaker=XMR 賣家/買單者
support.backgroundInfo=Haveno 不是一家公司,因此它以不同的方式處理爭議。\n\n交易者可以在應用程式中透過在打開交易畫面上的安全聊天來嘗試自行解決爭議。\n如果這不夠一名仲裁者將評估情況並決定交易資金的支付。
support.initialInfo=請在下面的文本框中輸入您的問題描述。添加儘可能多的信息,以加快解決糾紛的時間。\n\n以下是你應提供的資料核對表\n\t●如果您是 BTC 買家:您是否使用法定貨幣或其他加密貨幣轉賬?如果是,您是否點擊了應用程序中的“支付開始”按鈕?\n\t●如果您是 BTC 賣家:您是否收到法定貨幣或其他加密貨幣的付款了?如果是,你是否點擊了應用程序中的“已收到付款”按鈕?\n\t●您使用的是哪個版本的 Haveno\n\t●您使用的是哪種操作系統\n\t●如果遇到操作執行失敗的問題請考慮切換到新的數據目錄。\n\t有時數據目錄會損壞並導致奇怪的錯誤。\n詳見https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n請熟悉糾紛處理的基本規則\n\t●您需要在2天內答覆 {0} 的請求。\n\t●調解員會在2天之內答覆仲裁員會在5天之內答覆。\n\t●糾紛的最長期限為14天。\n\t●你需要與仲裁員合作提供他們為你的案件所要求的信息。\n\t●當您第一次啟動應用程序時您接受了用户協議中爭議文檔中列出的規則。\n\n您可以通過 {2} 瞭解有關糾紛處理的更多信息
support.initialInfo=請在下面的文本框中輸入您的問題描述。添加儘可能多的信息,以加快解決糾紛的時間。\n\n以下是你應提供的資料核對表\n\t●如果您是 XMR 買家:您是否使用法定貨幣或其他加密貨幣轉賬?如果是,您是否點擊了應用程序中的“支付開始”按鈕?\n\t●如果您是 XMR 賣家:您是否收到法定貨幣或其他加密貨幣的付款了?如果是,你是否點擊了應用程序中的“已收到付款”按鈕?\n\t●您使用的是哪個版本的 Haveno\n\t●您使用的是哪種操作系統\n\t●如果遇到操作執行失敗的問題請考慮切換到新的數據目錄。\n\t有時數據目錄會損壞並導致奇怪的錯誤。\n詳見https://docs.haveno.exchange/backup-recovery.html#switch-to-a-new-data-directory\n\n請熟悉糾紛處理的基本規則\n\t●您需要在2天內答覆 {0} 的請求。\n\t●調解員會在2天之內答覆仲裁員會在5天之內答覆。\n\t●糾紛的最長期限為14天。\n\t●你需要與仲裁員合作提供他們為你的案件所要求的信息。\n\t●當您第一次啟動應用程序時您接受了用户協議中爭議文檔中列出的規則。\n\n您可以通過 {2} 瞭解有關糾紛處理的更多信息
support.systemMsg=系統消息:{0}
support.youOpenedTicket=您創建了幫助請求。\n\n{0}\n\nHaveno 版本:{1}
support.youOpenedDispute=您創建了一個糾紛請求。\n\n{0}\n\nHaveno 版本:{1}
@ -985,7 +985,7 @@ setting.preferences.avoidStandbyMode=避免待機模式
setting.preferences.autoConfirmXMR=XMR 自動確認
setting.preferences.autoConfirmEnabled=啟用
setting.preferences.autoConfirmRequiredConfirmations=已要求確認
setting.preferences.autoConfirmMaxTradeSize=最大交易量(BTC
setting.preferences.autoConfirmMaxTradeSize=最大交易量(XMR
setting.preferences.autoConfirmServiceAddresses=Monero Explorer 鏈接使用Tor但本地主機LAN IP地址和 *.local 主機名除外)
setting.preferences.deviationToLarge=值不允許大於30%
setting.preferences.txFee=提現交易手續費(聰/字節)
@ -1022,7 +1022,7 @@ settings.preferences.editCustomExplorer.name=名稱
settings.preferences.editCustomExplorer.txUrl=交易 URL
settings.preferences.editCustomExplorer.addressUrl=地址 URL
settings.net.btcHeader=比特幣網絡
settings.net.xmrHeader=比特幣網絡
settings.net.p2pHeader=Haveno 網絡
settings.net.onionAddressLabel=我的匿名地址
settings.net.xmrNodesLabel=使用自定义Monero节点
@ -1036,7 +1036,7 @@ settings.net.warn.usePublicNodes=如果您使用公共的Monero节点您将
settings.net.warn.usePublicNodes.useProvided=不,使用給定的節點
settings.net.warn.usePublicNodes.usePublic=使用公共網絡
settings.net.warn.useCustomNodes.B2XWarning=請確保您的比特幣節點是一個可信的比特幣核心節點!\n\n連接到不遵循比特幣核心共識規則的節點可能會損壞您的錢包並在交易過程中造成問題。\n\n連接到違反共識規則的節點的用户應對任何由此造成的損害負責。任何由此產生的糾紛都將有利於另一方。對於忽略此警吿和保護機制的用户不提供任何技術支持
settings.net.warn.invalidBtcConfig=由於您的配置無效,無法連接至比特幣網絡。\n\n您的配置已經被重置為默認比特幣節點。你需要重啟 Haveno。
settings.net.warn.invalidXmrConfig=由於您的配置無效,無法連接至比特幣網絡。\n\n您的配置已經被重置為默認比特幣節點。你需要重啟 Haveno。
settings.net.localhostXmrNodeInfo=背景信息Haveno 在啟動時會在本地查找比特幣節點。如果有Haveno 將只通過它與比特幣網絡進行通信。
settings.net.p2PPeersLabel=已連接節點
settings.net.onionAddressColumn=匿名地址
@ -1044,7 +1044,7 @@ settings.net.creationDateColumn=已建立連接
settings.net.connectionTypeColumn=入/出
settings.net.sentDataLabel=統計數據已發送
settings.net.receivedDataLabel=統計數據已接收
settings.net.chainHeightLabel=最新 BTC 區塊高度
settings.net.chainHeightLabel=最新 XMR 區塊高度
settings.net.roundTripTimeColumn=延遲
settings.net.sentBytesColumn=發送
settings.net.receivedBytesColumn=接收
@ -1059,7 +1059,7 @@ settings.net.needRestart=您需要重啟應用程序以同意這次變更。\n
settings.net.notKnownYet=至今未知...
settings.net.sentData=已發送數據 {0}{1} 條消息,{2} 條消息/秒
settings.net.receivedData=已接收數據 {0}{1} 條消息,{2} 條消息/秒
settings.net.chainHeight=Bitcoin Peers chain height: {0}
settings.net.chainHeight=Monero Peers chain height: {0}
settings.net.ips=添加逗號分隔的 IP 地址及端口如使用8333端口可不填寫。
settings.net.seedNode=種子節點
settings.net.directPeer=節點(直連)
@ -1105,7 +1105,7 @@ setting.about.shortcuts.openDispute.value=選擇未完成交易並點擊:{0}
setting.about.shortcuts.walletDetails=打開錢包詳情窗口
setting.about.shortcuts.openEmergencyBtcWalletTool=打開應急 BTC 錢包工具
setting.about.shortcuts.openEmergencyXmrWalletTool=打開應急 XMR 錢包工具
setting.about.shortcuts.showTorLogs=在 DEBUG 與 WARN 之間切換 Tor 日誌等級
@ -1131,7 +1131,7 @@ setting.about.shortcuts.sendPrivateNotification=發送私人通知到對等點
setting.about.shortcuts.sendPrivateNotification.value=點擊交易夥伴頭像並按下:{0} 以顯示更多信息
setting.info.headline=新 XMR 自動確認功能
setting.info.msg=當你完成 BTC/XMR 交易時,您可以使用自動確認功能來驗證是否向您的錢包中發送了正確數量的 XMR以便 Haveno 可以自動將交易標記為完成,從而使每個人都可以更快地進行交易。\n\n自動確認使用 XMR 發送方提供的交易密鑰在至少 2 個 XMR 區塊瀏覽器節點上檢查 XMR 交易。在默認情況下Haveno 使用由 Haveno 貢獻者運行的區塊瀏覽器節點,但是我們建議運行您自己的 XMR 區塊瀏覽器節點以最大程度地保護隱私和安全。\n\n您還可以在``設置''中將每筆交易的最大 BTC 數量設置為自動確認以及所需確認的數量。\n\n在 Haveno Wiki 上查看更多詳細信息包括如何設置自己的區塊瀏覽器節點https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
setting.info.msg=當你完成 XMR/XMR 交易時,您可以使用自動確認功能來驗證是否向您的錢包中發送了正確數量的 XMR以便 Haveno 可以自動將交易標記為完成,從而使每個人都可以更快地進行交易。\n\n自動確認使用 XMR 發送方提供的交易密鑰在至少 2 個 XMR 區塊瀏覽器節點上檢查 XMR 交易。在默認情況下Haveno 使用由 Haveno 貢獻者運行的區塊瀏覽器節點,但是我們建議運行您自己的 XMR 區塊瀏覽器節點以最大程度地保護隱私和安全。\n\n您還可以在``設置''中將每筆交易的最大 XMR 數量設置為自動確認以及所需確認的數量。\n\n在 Haveno Wiki 上查看更多詳細信息包括如何設置自己的區塊瀏覽器節點https://haveno.exchange/wiki/Trading_Monero#Auto-confirming_trades
####################################################################
# Account
####################################################################
@ -1151,7 +1151,7 @@ account.menu.backup=備份
account.menu.notifications=通知
account.menu.walletInfo.balance.headLine=Wallet balances
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor BTC, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor XMR, the internal wallet balance shown below should match the sum of the 'Available' and 'Reserved' balances shown in the top right of this window.
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
account.menu.walletInfo.walletSelector={0} {1} wallet
account.menu.walletInfo.path.headLine=HD keychain paths
@ -1208,7 +1208,7 @@ account.crypto.popup.pars.msg=在 Haveno 上交易 ParsiCoin 需要您瞭解並
account.crypto.popup.blk-burnt.msg=要交易燒燬的貨幣,你需要知道以下幾點:\n\n燒燬的貨幣是不能花的。要在 Haveno 上交易它們輸出腳本需要採用以下形式OP_RETURN OP_PUSHDATA後跟相關的數據字節這些字節經過十六進制編碼後構成地址。例如地址為666f6f在UTF-8中的"foo")的燒燬的貨幣將有以下腳本:\n\nOP_RETURN OP_PUSHDATA 666f6f\n\n要創建燒燬的貨幣您可以使用“燒燬”RPC命令它在一些錢包可用。\n\n對於可能的情況可以查看 https://ibo.laboratorium.ee\n\n因為燒燬的貨幣是不能用的所以不能重新出售。“出售”燒燬的貨幣意味着焚燒初始的貨幣與目的地地址相關聯的數據。\n\n如果發生爭議BLK 賣方需要提供交易哈希。
# suppress inspection "UnusedProperty"
account.crypto.popup.liquidbitcoin.msg=在 Haveno 上交易 L-BTC 你必須理解下述條款:\n\n當你在 Haveno 上接受 L-BTC 交易時,你不能使用手機 Blockstream Green Wallet 或者是一個託管/交易錢包。你必須只接收 L-BTC 到 Liquid Elements Core 錢包,或另一個 L-BTC 錢包且允許你獲得匿名的 L-BTC 地址以及密鑰。\n\n在需要進行調解的情況下或者如果發生了交易糾紛您必須將接收 L-BTC地址的安全密鑰披露給 Haveno 調解員或退款代理,以便他們能夠在他們自己的 Elements Core 全節點上驗證您的匿名交易的細節。\n\n如果你不瞭解或瞭解這些要求不要在 Haveno 上交易 L-BTC
account.crypto.popup.liquidmonero.msg=在 Haveno 上交易 L-XMR 你必須理解下述條款:\n\n當你在 Haveno 上接受 L-XMR 交易時,你不能使用手機 Blockstream Green Wallet 或者是一個託管/交易錢包。你必須只接收 L-XMR 到 Liquid Elements Core 錢包,或另一個 L-XMR 錢包且允許你獲得匿名的 L-XMR 地址以及密鑰。\n\n在需要進行調解的情況下或者如果發生了交易糾紛您必須將接收 L-XMR地址的安全密鑰披露給 Haveno 調解員或退款代理,以便他們能夠在他們自己的 Elements Core 全節點上驗證您的匿名交易的細節。\n\n如果你不瞭解或瞭解這些要求不要在 Haveno 上交易 L-XMR
account.traditional.yourTraditionalAccounts=您的法定貨幣賬户
@ -1229,7 +1229,7 @@ account.password.setPw.headline=設置錢包的密碼保護
account.password.info=啟用密碼保護後,在應用程式啟動時、從您的錢包提取門羅幣時以及顯示種子詞語時,您將需要輸入密碼。
account.seed.backup.title=備份您的錢包還原密鑰
account.seed.info=請寫下錢包還原密鑰和時間!\n您可以通過還原密鑰和時間在任何時候恢復您的錢包。\n還原密鑰用於 BTC 和 BSQ 錢包。\n\n您應該在一張紙上寫下還原密鑰並且不要保存它們在您的電腦上。\n請注意還原密鑰並不能代替備份。\n您需要備份完整的應用程序目錄在”賬户/備份“界面去恢復有效的應用程序狀態和數據。
account.seed.info=請寫下錢包還原密鑰和時間!\n您可以通過還原密鑰和時間在任何時候恢復您的錢包。\n還原密鑰用於 XMR 和 BSQ 錢包。\n\n您應該在一張紙上寫下還原密鑰並且不要保存它們在您的電腦上。\n請注意還原密鑰並不能代替備份。\n您需要備份完整的應用程序目錄在”賬户/備份“界面去恢復有效的應用程序狀態和數據。
account.seed.backup.warning=請注意種子詞不能替代備份。您需要為整個應用目錄(在“賬户/備份”選項卡中)以恢復應用狀態以及數據。\n導入種子詞僅在緊急情況時才推薦使用。 如果沒有正確備份數據庫文件和密鑰,該應用程序將無法運行!\n\n在 Haveno wiki 中查看更多信息: https://haveno.exchange/wiki/Backing_up_application_data
account.seed.warn.noPw.msg=您還沒有設置一個可以保護還原密鑰顯示的錢包密碼。\n\n要顯示還原密鑰嗎
account.seed.warn.noPw.yes=是的,不要再問我
@ -1259,13 +1259,13 @@ account.notifications.trade.label=接收交易信息
account.notifications.market.label=接收報價提醒
account.notifications.price.label=接收價格提醒
account.notifications.priceAlert.title=價格提醒
account.notifications.priceAlert.high.label=提醒條件:當 BTC 價格高於
account.notifications.priceAlert.low.label=提醒條件:當 BTC 價格低於
account.notifications.priceAlert.high.label=提醒條件:當 XMR 價格高於
account.notifications.priceAlert.low.label=提醒條件:當 XMR 價格低於
account.notifications.priceAlert.setButton=設置價格提醒
account.notifications.priceAlert.removeButton=取消價格提醒
account.notifications.trade.message.title=交易狀態已變更
account.notifications.trade.message.msg.conf=ID 為 {0} 的交易的存款交易已被確認。請打開您的 Haveno 應用程序並開始付款。
account.notifications.trade.message.msg.started=BTC 買家已經開始支付 ID 為 {0} 的交易。
account.notifications.trade.message.msg.started=XMR 買家已經開始支付 ID 為 {0} 的交易。
account.notifications.trade.message.msg.completed=ID 為 {0} 的交易已完成。
account.notifications.offer.message.title=您的報價已被接受
account.notifications.offer.message.msg=您的 ID 為 {0} 的報價已被接受
@ -1275,10 +1275,10 @@ account.notifications.dispute.message.msg=您收到了一個 ID 為 {0} 的交
account.notifications.marketAlert.title=報價提醒
account.notifications.marketAlert.selectPaymentAccount=提供匹配的付款帳户
account.notifications.marketAlert.offerType.label=我感興趣的報價類型
account.notifications.marketAlert.offerType.buy=買入報價(我想要出售 BTC
account.notifications.marketAlert.offerType.sell=賣出報價(我想要購買 BTC
account.notifications.marketAlert.offerType.buy=買入報價(我想要出售 XMR
account.notifications.marketAlert.offerType.sell=賣出報價(我想要購買 XMR
account.notifications.marketAlert.trigger=報價距離(%
account.notifications.marketAlert.trigger.info=設置價格區間後,只有當滿足(或超過)您的需求的報價發佈時,您才會收到提醒。您想賣 BTC ,但你只能以當前市價的 2% 溢價出售。將此字段設置為 2% 將確保您只收到高於當前市場價格 2%(或更多)的報價的提醒。
account.notifications.marketAlert.trigger.info=設置價格區間後,只有當滿足(或超過)您的需求的報價發佈時,您才會收到提醒。您想賣 XMR ,但你只能以當前市價的 2% 溢價出售。將此字段設置為 2% 將確保您只收到高於當前市場價格 2%(或更多)的報價的提醒。
account.notifications.marketAlert.trigger.prompt=與市場價格的百分比距離(例如 2.50 -0.50 等)
account.notifications.marketAlert.addButton=添加報價提醒
account.notifications.marketAlert.manageAlertsButton=管理報價提醒
@ -1305,10 +1305,10 @@ inputControlWindow.balanceLabel=可用餘額
contractWindow.title=糾紛詳情
contractWindow.dates=報價時間/交易時間
contractWindow.btcAddresses=BTC 買家/BTC 賣家的比特幣地址
contractWindow.onions=BTC 買家/BTC 賣家的網絡地址
contractWindow.accountAge=BTC 買家/BTC 賣家的賬齡
contractWindow.numDisputes=BTC 買家/BTC 賣家的糾紛編號
contractWindow.xmrAddresses=XMR 買家/XMR 賣家的比特幣地址
contractWindow.onions=XMR 買家/XMR 賣家的網絡地址
contractWindow.accountAge=XMR 買家/XMR 賣家的賬齡
contractWindow.numDisputes=XMR 買家/XMR 賣家的糾紛編號
contractWindow.contractHash=合同哈希
displayAlertMessageWindow.headline=重要資料!
@ -1334,8 +1334,8 @@ disputeSummaryWindow.title=概要
disputeSummaryWindow.openDate=工單創建時間
disputeSummaryWindow.role=交易者的角色
disputeSummaryWindow.payout=交易金額支付
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} 獲得交易金額支付
disputeSummaryWindow.payout.getsAll=最大 BTC 支付數 {0}
disputeSummaryWindow.payout.getsTradeAmount=XMR {0} 獲得交易金額支付
disputeSummaryWindow.payout.getsAll=最大 XMR 支付數 {0}
disputeSummaryWindow.payout.custom=自定義支付
disputeSummaryWindow.payoutAmount.buyer=買家支付金額
disputeSummaryWindow.payoutAmount.seller=賣家支付金額
@ -1377,7 +1377,7 @@ disputeSummaryWindow.close.button=關閉話題
# Do no change any line break or order of tokens as the structure is used for signature verification
# suppress inspection "TrailingSpacesInProperty"
disputeSummaryWindow.close.msg=工單已關閉{0}\n{1} 節點地址:{12}\n\n總結\n交易 ID{3}\n貨幣{4}\n交易金額{5}\nBTC 買家支付金額:{6}\nBTC 賣家支付金額:{7}\n\n糾紛原因{8}\n\n總結\n{9}\n
disputeSummaryWindow.close.msg=工單已關閉{0}\n{1} 節點地址:{12}\n\n總結\n交易 ID{3}\n貨幣{4}\n交易金額{5}\nXMR 買家支付金額:{6}\nXMR 賣家支付金額:{7}\n\n糾紛原因{8}\n\n總結\n{9}\n
# Do no change any line break or order of tokens as the structure is used for signature verification
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
@ -1432,7 +1432,7 @@ filterWindow.xmrFeeReceiverAddresses=比特幣手續費接收地址
filterWindow.disableApi=Disable API
filterWindow.disableMempoolValidation=Disable Mempool Validation
offerDetailsWindow.minBtcAmount=最小 BTC 數量
offerDetailsWindow.minXmrAmount=最小 XMR 數量
offerDetailsWindow.min=(最小 {0}
offerDetailsWindow.distance=(與市場價格的差距:{0}
offerDetailsWindow.myTradingAccount=我的交易賬户
@ -1497,7 +1497,7 @@ tradeDetailsWindow.agentAddresses=仲裁員/調解員
tradeDetailsWindow.detailData=Detail data
txDetailsWindow.headline=Transaction Details
txDetailsWindow.xmr.note=You have sent BTC.
txDetailsWindow.xmr.note=You have sent XMR.
txDetailsWindow.sentTo=Sent to
txDetailsWindow.txId=TxId
@ -1507,7 +1507,7 @@ closedTradesSummaryWindow.totalAmount.value={0} ({1} with current market price)
closedTradesSummaryWindow.totalVolume.title=Total amount traded in {0}
closedTradesSummaryWindow.totalMinerFee.title=Sum of all miner fees
closedTradesSummaryWindow.totalMinerFee.value={0} ({1} of total trade amount)
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in BTC
closedTradesSummaryWindow.totalTradeFeeInXmr.title=Sum of all trade fees paid in XMR
closedTradesSummaryWindow.totalTradeFeeInXmr.value={0} ({1} of total trade amount)
walletPasswordWindow.headline=輸入密碼解鎖
@ -1534,10 +1534,10 @@ torNetworkSettingWindow.bridges.info=如果 Tor 被您的 Internet 提供商或
feeOptionWindow.headline=選擇貨幣支付交易手續費
feeOptionWindow.optionsLabel=選擇貨幣支付交易手續費
feeOptionWindow.useBTC=使用 BTC
feeOptionWindow.useXMR=使用 XMR
feeOptionWindow.fee={0}(≈ {1}
feeOptionWindow.btcFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.btcFeeWithPercentage={0} ({1})
feeOptionWindow.xmrFeeWithFiatAndPercentage={0} (≈ {1} / {2})
feeOptionWindow.xmrFeeWithPercentage={0} ({1})
####################################################################
@ -1579,7 +1579,7 @@ popup.warning.noTradingAccountSetup.msg=您需要設置法定貨幣或數字貨
popup.warning.noArbitratorsAvailable=沒有仲裁員可用。
popup.warning.noMediatorsAvailable=沒有調解員可用。
popup.warning.notFullyConnected=您需要等到您完全連接到網絡\n在啟動時可能需要2分鐘。
popup.warning.notSufficientConnectionsToBtcNetwork=你需要等待至少有{0}個與比特幣網絡的連接點。
popup.warning.notSufficientConnectionsToXmrNetwork=你需要等待至少有{0}個與比特幣網絡的連接點。
popup.warning.downloadNotComplete=您需要等待,直到丟失的比特幣區塊被下載完畢。
popup.warning.chainNotSynced=Haveno 錢包區塊鏈高度沒有正確地同步。如果最近才打開應用,請等待一個新發布的比特幣區塊。\n\n你可以檢查區塊鏈高度在設置/網絡信息。如果經過了一個區塊但問題還是沒有解決,你應該及時的完成 SPV 鏈重新同步。https://haveno.exchange/wiki/Resyncing_SPV_file
popup.warning.removeOffer=您確定要移除該報價嗎?
@ -1601,13 +1601,13 @@ popup.warning.priceRelay=價格傳遞
popup.warning.seed=種子
popup.warning.mandatoryUpdate.trading=請更新到最新的 Haveno 版本。強制更新禁止了舊版本進行交易。更多信息請訪問 Haveno 論壇。
popup.warning.noFilter=We did not receive a filter object from the seed nodes. This is a not expected situation. Please inform the Haveno developers.
popup.warning.burnBTC=這筆交易是無法實現,因為 {0} 的挖礦手續費用會超過 {1} 的轉賬金額。請等到挖礦手續費再次降低或您積累了更多的 BTC 來轉賬。
popup.warning.burnXMR=這筆交易是無法實現,因為 {0} 的挖礦手續費用會超過 {1} 的轉賬金額。請等到挖礦手續費再次降低或您積累了更多的 XMR 來轉賬。
popup.warning.openOffer.makerFeeTxRejected=交易 ID 為 {0} 的掛單費交易被比特幣網絡拒絕。\n交易 ID = {1}\n交易已被移至失敗交易。\n請到“設置/網絡信息”進行 SPV 重新同步。\n如需更多幫助請聯繫 Haveno Keybase 團隊的 Support 頻道
popup.warning.trade.txRejected.tradeFee=交易手續費
popup.warning.trade.txRejected.deposit=押金
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Bitcoin network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.trade.txRejected=The {0} transaction for trade with ID {1} was rejected by the Monero network.\nTransaction ID={2}\nThe trade has been moved to failed trades.\nPlease go to \"Settings/Network info\" and do a SPV resync.\nFor further help please contact the Haveno support channel at the Haveno Keybase team.
popup.warning.openOfferWithInvalidMakerFeeTx=交易 ID 為 {0} 的掛單費交易無效。\n交易 ID = {1}。\n請到“設置/網絡信息”進行 SPV 重新同步。\n如需更多幫助請聯繫 Haveno Keybase 團隊的 Support 頻道
@ -1675,9 +1675,9 @@ popup.accountSigning.unsignedPubKeys.result.failed=未能驗證公鑰
notification.trade.headline=交易 ID {0} 的通知
notification.ticket.headline=交易 ID {0} 的幫助話題
notification.trade.completed=交易現在完成,您可以提取資金。
notification.trade.accepted=BTC {0} 的報價被接受。
notification.trade.accepted=XMR {0} 的報價被接受。
notification.trade.unlocked=您的交易至少有一個區塊鏈確認。\n您現在可以開始付款。
notification.trade.paymentSent=BTC 買家已經開始付款。
notification.trade.paymentSent=XMR 買家已經開始付款。
notification.trade.selectTrade=選擇交易
notification.trade.peerOpenedDispute=您的交易對象創建了一個 {0}。
notification.trade.disputeClosed=這個 {0} 被關閉。
@ -1943,12 +1943,12 @@ payment.checking=檢查
payment.savings=保存
payment.personalId=個人 ID
payment.makeOfferToUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- make offers >{0}, so you only deal with signed/trusted buyers\n- keep any offers to sell <{0} to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in BTC price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.takeOfferFromUnsignedAccount.warning=With the recent rise in XMR price, beware that selling {0} or less incurs higher risk than before.\n\nIt is highly recommended to either:\n- take offers from signed buyers only\n- keep trades with unsigned/untrusted buyers to around ~100 USD in value, as this value has (historically) discouraged scammers\n\nHaveno developers are working on better ways to secure the payment account model for such smaller trades. Join the discussion here: [HYPERLINK:https://github.com/bisq-network/bisq/discussions/5339].
payment.zelle.info=Zelle是一項轉賬服務轉賬到其他銀行做的很好。\n\n1.檢查此頁面以查看您的銀行是否(以及如何)與 Zelle 合作:\nhttps://www.zellepay.com/get-started\n\n2.特別注意您的轉賬限額-匯款限額因銀行而異,銀行通常分別指定每日,每週和每月的限額。\n\n3.如果您的銀行不能使用 Zelle您仍然可以通過 Zelle 移動應用程序使用它,但是您的轉賬限額會低得多。\n\n4.您的 Haveno 帳户上指定的名稱必須與 Zelle/銀行帳户上的名稱匹配。 \n\n如果您無法按照貿易合同中的規定完成 Zelle 交易,則可能會損失部分(或全部)保證金。\n\n由於 Zelle 的拒付風險較高,因此建議賣家通過電子郵件或 SMS 與未簽名的買家聯繫,以確認買家確實擁有 Haveno 中指定的 Zelle 帳户。
payment.fasterPayments.newRequirements.info=有些銀行已經開始核實快捷支付收款人的全名。您當前的快捷支付帳户沒有填寫全名。\n\n請考慮在 Haveno 中重新創建您的快捷支付帳户,為將來的 {0} 買家提供一個完整的姓名。\n\n重新創建帳户時請確保將銀行區號、帳户編號和帳齡驗證鹽值從舊帳户複製到新帳户。這將確保您現有的帳齡和簽名狀態得到保留。
payment.moneyGram.info=使用 MoneyGram 時,BTC 買方必須將授權號碼和收據的照片通過電子郵件發送給 BTC 賣方。收據必須清楚地顯示賣方的全名、國家或地區、州和金額。買方將在交易過程中顯示賣方的電子郵件。
payment.westernUnion.info=使用 Western Union 時,BTC 買方必須通過電子郵件將 MTCN運單號和收據照片發送給 BTC 賣方。收據上必須清楚地顯示賣方的全名、城市、國家或地區和金額。買方將在交易過程中顯示賣方的電子郵件。
payment.halCash.info=使用 HalCash 時,BTC 買方需要通過手機短信向 BTC 賣方發送 HalCash 代碼。\n\n請確保不要超過銀行允許您用半現金匯款的最高金額。每次取款的最低金額是 10 歐元,最高金額是 10 歐元。金額是 600 歐元。對於重複取款,每天每個接收者 3000 歐元,每月每個接收者 6000 歐元。請與您的銀行核對這些限額,以確保它們使用與此處所述相同的限額。\n\n提現金額必須是 10 歐元的倍數,因為您不能從 ATM 機提取其他金額。 創建報價和下單屏幕中的 UI 將調整 BTC 金額,使 EUR 金額正確。你不能使用基於市場的價格,因為歐元的數量會隨着價格的變化而變化。\n
payment.moneyGram.info=使用 MoneyGram 時,XMR 買方必須將授權號碼和收據的照片通過電子郵件發送給 XMR 賣方。收據必須清楚地顯示賣方的全名、國家或地區、州和金額。買方將在交易過程中顯示賣方的電子郵件。
payment.westernUnion.info=使用 Western Union 時,XMR 買方必須通過電子郵件將 MTCN運單號和收據照片發送給 XMR 賣方。收據上必須清楚地顯示賣方的全名、城市、國家或地區和金額。買方將在交易過程中顯示賣方的電子郵件。
payment.halCash.info=使用 HalCash 時,XMR 買方需要通過手機短信向 XMR 賣方發送 HalCash 代碼。\n\n請確保不要超過銀行允許您用半現金匯款的最高金額。每次取款的最低金額是 10 歐元,最高金額是 10 歐元。金額是 600 歐元。對於重複取款,每天每個接收者 3000 歐元,每月每個接收者 6000 歐元。請與您的銀行核對這些限額,以確保它們使用與此處所述相同的限額。\n\n提現金額必須是 10 歐元的倍數,因為您不能從 ATM 機提取其他金額。 創建報價和下單屏幕中的 UI 將調整 XMR 金額,使 EUR 金額正確。你不能使用基於市場的價格,因為歐元的數量會隨着價格的變化而變化。\n
# suppress inspection "UnusedMessageFormatParameter"
payment.limits.info=請注意所有銀行轉賬都有一定的退款風險。為了降低這一風險Haveno 基於使用的付款方式的退款風險。\n\n對於付款方式您的每筆交易的出售和購買的限額為{2}\n\n限制只應用在單筆交易你可以儘可能多的進行交易。\n\n在 Haveno Wiki 查看更多信息[HYPERLINK:https://haveno.exchange/wiki/Account_limits]。
# suppress inspection "UnusedProperty"
@ -1964,7 +1964,7 @@ payment.amazonGiftCard.upgrade=Amazon gift cards payment method requires the cou
payment.account.amazonGiftCard.addCountryInfo={0}\nYour existing Amazon Gift Card account ({1}) does not have a Country specified.\nPlease enter your Amazon Gift Card Country to update your account data.\nThis will not affect your account age status.
payment.amazonGiftCard.upgrade.headLine=Update Amazon Gift Card account
payment.usPostalMoneyOrder.info=在 Haveno 上交易 US Postal Money Orders USPMO您必須理解下述條款\n\n- BTC 買方必須在發送方和收款人字段中都寫上 BTC 賣方的名稱,並在發送之前對 USPMO 和信封進行高分辨率照片拍照,並帶有跟蹤證明。\n- BTC 買方必須將 USPMO 連同交貨確認書一起發送給 BTC 賣方。\n\n如果需要調解或有交易糾紛您將需要將照片連同 USPMO 編號,郵局編號和交易金額一起發送給 Haveno 調解員或退款代理,以便他們進行驗證美國郵局網站上的詳細信息。\n\n如未能提供要求的交易數據將在糾紛中直接判負\n\n在所有爭議案件中USPMO 發送方在向調解人或仲裁員提供證據/證明時承擔 100 的責任。\n\n如果您不理解這些要求請不要在 Haveno 上使用 USPMO 進行交易。
payment.usPostalMoneyOrder.info=在 Haveno 上交易 US Postal Money Orders USPMO您必須理解下述條款\n\n- XMR 買方必須在發送方和收款人字段中都寫上 XMR 賣方的名稱,並在發送之前對 USPMO 和信封進行高分辨率照片拍照,並帶有跟蹤證明。\n- XMR 買方必須將 USPMO 連同交貨確認書一起發送給 XMR 賣方。\n\n如果需要調解或有交易糾紛您將需要將照片連同 USPMO 編號,郵局編號和交易金額一起發送給 Haveno 調解員或退款代理,以便他們進行驗證美國郵局網站上的詳細信息。\n\n如未能提供要求的交易數據將在糾紛中直接判負\n\n在所有爭議案件中USPMO 發送方在向調解人或仲裁員提供證據/證明時承擔 100 的責任。\n\n如果您不理解這些要求請不要在 Haveno 上使用 USPMO 進行交易。
payment.payByMail.contact=聯繫方式
payment.payByMail.contact.prompt=Name or nym envelope should be addressed to
@ -1975,7 +1975,7 @@ payment.f2f.city.prompt=城市將與報價一同顯示
payment.shared.optionalExtra=可選的附加信息
payment.shared.extraInfo=附加信息
payment.shared.extraInfo.prompt=Define any special terms, conditions, or details you would like to be displayed with your offers for this payment account (users will see this info before accepting offers).
payment.f2f.info=與網上交易相比,“面對面”交易有不同的規則,也有不同的風險。\n\n主要區別是\n●交易夥伴需要使用他們提供的聯繫方式交換關於會面地點和時間的信息。\n●交易雙方需要攜帶筆記本電腦在會面地點確認“已發送付款”和“已收到付款”。\n●如果交易方有特殊的“條款和條件”他們必須在賬户的“附加信息”文本框中聲明這些條款和條件。\n●在發生爭議時調解員或仲裁員不能提供太多幫助因為通常很難獲得有關會面上所發生情況的篡改證據。在這種情況下BTC 資金可能會被無限期鎖定,或者直到交易雙方達成協議。\n\n為確保您完全理解“面對面”交易的不同之處請閲讀以下説明和建議“https://docs.haveno.exchange/trading-rules.html#f2f-trading”
payment.f2f.info=與網上交易相比,“面對面”交易有不同的規則,也有不同的風險。\n\n主要區別是\n●交易夥伴需要使用他們提供的聯繫方式交換關於會面地點和時間的信息。\n●交易雙方需要攜帶筆記本電腦在會面地點確認“已發送付款”和“已收到付款”。\n●如果交易方有特殊的“條款和條件”他們必須在賬户的“附加信息”文本框中聲明這些條款和條件。\n●在發生爭議時調解員或仲裁員不能提供太多幫助因為通常很難獲得有關會面上所發生情況的篡改證據。在這種情況下XMR 資金可能會被無限期鎖定,或者直到交易雙方達成協議。\n\n為確保您完全理解“面對面”交易的不同之處請閲讀以下説明和建議“https://docs.haveno.exchange/trading-rules.html#f2f-trading”
payment.f2f.info.openURL=打開網頁
payment.f2f.offerbook.tooltip.countryAndCity=國家或地區及城市:{0} / {1}
payment.f2f.offerbook.tooltip.extra=附加信息:{0}
@ -1987,7 +1987,7 @@ payment.japan.recipient=名稱
payment.australia.payid=PayID
payment.payid=PayID 需鏈接至金融機構。例如電子郵件地址或手機。
payment.payid.info=PayID如電話號碼、電子郵件地址或澳大利亞商業號碼ABN您可以安全地連接到您的銀行、信用合作社或建立社會帳户。你需要在你的澳大利亞金融機構創建一個 PayID。發送和接收金融機構都必須支持 PayID。更多信息請查看[HYPERLINK:https://payid.com.au/faqs/]
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the BTC seller via your Amazon account. \n\nHaveno will show the BTC seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
payment.amazonGiftCard.info=To pay with Amazon eGift Card, you will need to send an Amazon eGift Card to the XMR seller via your Amazon account. \n\nHaveno will show the XMR seller''s email address or phone number where the gift card should be sent, and you must include the trade ID in the gift card''s message field. Please see the wiki [HYPERLINK:https://haveno.exchange/wiki/Amazon_eGift_card] for further details and best practices. \n\nThree important notes:\n- try to send gift cards with amounts of 100 USD or smaller, as Amazon is known to flag larger gift cards as fraudulent\n- try to use creative, believable text for the gift card''s message (e.g., "Happy birthday Susan!") along with the trade ID (and use trader chat to tell your trading peer the reference text you picked so they can verify your payment)\n- Amazon eGift Cards can only be redeemed on the Amazon website they were purchased on (e.g., a gift card purchased on amazon.it can only be redeemed on amazon.it)
# We use constants from the code so we do not use our normal naming convention
@ -2155,10 +2155,10 @@ validation.sortCodeChars={0} 必須由 {1} 個字符構成。
validation.bankIdNumber={0} 必須由 {1} 個數字構成。
validation.accountNr=賬號必須由 {0} 個數字構成。
validation.accountNrChars=賬户必須由 {0} 個字符構成。
validation.btc.invalidAddress=地址不正確,請檢查地址格式。
validation.xmr.invalidAddress=地址不正確,請檢查地址格式。
validation.integerOnly=請輸入整數。
validation.inputError=您的輸入引起了錯誤:\n{0}
validation.btc.exceedsMaxTradeLimit=您的交易限額為 {0}。
validation.xmr.exceedsMaxTradeLimit=您的交易限額為 {0}。
validation.nationalAccountId={0} 必須由{1}個數字組成。
#new

View File

@ -91,7 +91,7 @@ public class AccountStatusTooltipLabel extends AutoTooltipLabel {
infoLabel.getStyleClass().add("small-text");
Label buyLabel = createDetailsItem(
Res.get("offerbook.timeSinceSigning.tooltip.checkmark.buyBtc"),
Res.get("offerbook.timeSinceSigning.tooltip.checkmark.buyXmr"),
witnessAgeData.isAccountSigned()
);
Label waitLabel = createDetailsItem(

View File

@ -496,7 +496,7 @@ public class MainViewModel implements ViewModel, HavenoSetup.HavenoSetupListener
private void showPopupIfInvalidBtcConfig() {
preferences.setMoneroNodesOptionOrdinal(0);
new Popup().warning(Res.get("settings.net.warn.invalidBtcConfig"))
new Popup().warning(Res.get("settings.net.warn.invalidXmrConfig"))
.hideCloseButton()
.useShutDownButton()
.show();

View File

@ -543,7 +543,7 @@ public class OfferBookChartView extends ActivatableViewAndModel<VBox, OfferBookC
});
// amount
TableColumn<OfferListItem, OfferListItem> amountColumn = new AutoTooltipTableColumn<>(Res.get("shared.BTCMinMax"));
TableColumn<OfferListItem, OfferListItem> amountColumn = new AutoTooltipTableColumn<>(Res.get("shared.XMRMinMax"));
amountColumn.setMinWidth(115);
amountColumn.setSortable(false);
amountColumn.getStyleClass().add("number-column");

View File

@ -491,7 +491,7 @@ public abstract class MutableOfferViewModel<M extends MutableOfferDataModel> ext
private void applyMakerFee() {
tradeFeeCurrencyCode.set(Res.getBaseCurrencyCode());
tradeFeeDescription.set(Res.get("createOffer.tradeFee.descriptionBTCOnly"));
tradeFeeDescription.set(Res.get("createOffer.tradeFee.descriptionXMROnly"));
BigInteger makerFee = dataModel.getMakerFee();
if (makerFee == null) {

View File

@ -46,7 +46,7 @@ public class OfferViewModelUtil {
BigInteger tradeAmount,
CoinFormatter formatter,
BigInteger minTradeFee) {
String feeAsBtc = HavenoUtils.formatXmr(tradeFee, true);
String feeAsXmr = HavenoUtils.formatXmr(tradeFee, true);
String percentage;
if (tradeFee.compareTo(minTradeFee) <= 0) {
percentage = Res.get("guiUtil.requiredMinimum")
@ -59,7 +59,7 @@ public class OfferViewModelUtil {
return offerUtil.getFeeInUserFiatCurrency(tradeFee,
formatter)
.map(VolumeUtil::formatAverageVolumeWithCode)
.map(feeInFiat -> Res.get("feeOptionWindow.btcFeeWithFiatAndPercentage", feeAsBtc, feeInFiat, percentage))
.orElseGet(() -> Res.get("feeOptionWindow.btcFeeWithPercentage", feeAsBtc, percentage));
.map(feeInFiat -> Res.get("feeOptionWindow.xmrFeeWithFiatAndPercentage", feeAsXmr, feeInFiat, percentage))
.orElseGet(() -> Res.get("feeOptionWindow.xmrFeeWithPercentage", feeAsXmr, percentage));
}
}

View File

@ -763,7 +763,7 @@ abstract public class OfferBookView<R extends GridPane, M extends OfferBookViewM
///////////////////////////////////////////////////////////////////////////////////////////
private AutoTooltipTableColumn<OfferBookListItem, OfferBookListItem> getAmountColumn() {
AutoTooltipTableColumn<OfferBookListItem, OfferBookListItem> column = new AutoTooltipTableColumn<>(Res.get("shared.BTCMinMax"), Res.get("shared.amountHelp"));
AutoTooltipTableColumn<OfferBookListItem, OfferBookListItem> column = new AutoTooltipTableColumn<>(Res.get("shared.XMRMinMax"), Res.get("shared.amountHelp"));
column.setMinWidth(100);
column.getStyleClass().add("number-column");
column.setCellValueFactory((offer) -> new ReadOnlyObjectWrapper<>(offer.getValue()));

View File

@ -623,7 +623,7 @@ abstract class OfferBookViewModel extends ActivatableViewModel {
private static String getDirectionWithCodeDetailed(OfferDirection direction, String currencyCode) {
if (CurrencyUtil.isTraditionalCurrency(currencyCode))
return (direction == OfferDirection.BUY) ? Res.get("shared.buyingBTCWith", currencyCode) : Res.get("shared.sellingBTCFor", currencyCode);
return (direction == OfferDirection.BUY) ? Res.get("shared.buyingXMRWith", currencyCode) : Res.get("shared.sellingXMRFor", currencyCode);
else
return (direction == OfferDirection.SELL) ? Res.get("shared.buyingCurrency", currencyCode) : Res.get("shared.sellingCurrency", currencyCode);
}

View File

@ -645,7 +645,7 @@ public class TakeOfferView extends ActivatableViewAndModel<AnchorPane, TakeOffer
showWarningInvalidBtcDecimalPlacesSubscription = EasyBind.subscribe(model.showWarningInvalidBtcDecimalPlaces, newValue -> {
if (newValue) {
new Popup().warning(Res.get("takeOffer.amountPriceBox.warning.invalidBtcDecimalPlaces")).show();
new Popup().warning(Res.get("takeOffer.amountPriceBox.warning.invalidXmrDecimalPlaces")).show();
model.showWarningInvalidBtcDecimalPlaces.set(false);
}
});

View File

@ -267,7 +267,7 @@ class TakeOfferViewModel extends ActivatableWithDataModel<TakeOfferDataModel> im
}
private void applyTakerFee() {
tradeFeeDescription.set(Res.get("createOffer.tradeFee.descriptionBTCOnly"));
tradeFeeDescription.set(Res.get("createOffer.tradeFee.descriptionXMROnly"));
BigInteger takerFee = dataModel.getTakerFee();
if (takerFee == null) {
return;
@ -292,7 +292,7 @@ class TakeOfferViewModel extends ActivatableWithDataModel<TakeOfferDataModel> im
amountValidationResult.set(result);
if (result.isValid) {
showWarningInvalidBtcDecimalPlaces.set(!DisplayUtils.hasBtcValidDecimals(userInput, xmrFormatter));
// only allow max 4 decimal places for btc values
// only allow max 4 decimal places for xmr values
setAmountToModel();
// reformat input
amount.set(HavenoUtils.formatXmr(dataModel.getAmount().get()));

View File

@ -162,7 +162,7 @@ public class ContractWindow extends Overlay<ContractWindow> {
addConfirmationLabelTextField(gridPane, ++rowIndex, Res.get("shared.securityDeposit"), securityDeposit);
addConfirmationLabelTextField(gridPane,
++rowIndex,
Res.get("contractWindow.btcAddresses"),
Res.get("contractWindow.xmrAddresses"),
contract.getBuyerPayoutAddressString() + " / " + contract.getSellerPayoutAddressString());
addConfirmationLabelTextField(gridPane,
++rowIndex,

View File

@ -215,7 +215,7 @@ public class OfferDetailsWindow extends Overlay<OfferDetailsWindow> {
addConfirmationLabelLabel(gridPane, rowIndex, offerTypeLabel,
DisplayUtils.getDirectionBothSides(direction), firstRowDistance);
}
String btcAmount = Res.get("shared.btcAmount");
String btcAmount = Res.get("shared.xmrAmount");
if (takeOfferHandlerOptional.isPresent()) {
addConfirmationLabelLabel(gridPane, ++rowIndex, btcAmount + xmrDirectionInfo,
HavenoUtils.formatXmr(tradeAmount, true));
@ -224,7 +224,7 @@ public class OfferDetailsWindow extends Overlay<OfferDetailsWindow> {
} else {
addConfirmationLabelLabel(gridPane, ++rowIndex, btcAmount + xmrDirectionInfo,
HavenoUtils.formatXmr(offer.getAmount(), true));
addConfirmationLabelLabel(gridPane, ++rowIndex, Res.get("offerDetailsWindow.minBtcAmount"),
addConfirmationLabelLabel(gridPane, ++rowIndex, Res.get("offerDetailsWindow.minXmrAmount"),
HavenoUtils.formatXmr(offer.getMinAmount(), true));
String volume = VolumeUtil.formatVolumeWithCode(offer.getVolume());
String minVolume = "";

View File

@ -155,7 +155,7 @@ public class TradeDetailsWindow extends Overlay<TradeDetailsWindow> {
xmrDirectionInfo = toSpend;
}
addConfirmationLabelTextField(gridPane, ++rowIndex, Res.get("shared.btcAmount") + xmrDirectionInfo,
addConfirmationLabelTextField(gridPane, ++rowIndex, Res.get("shared.xmrAmount") + xmrDirectionInfo,
HavenoUtils.formatXmr(trade.getAmount(), true));
addConfirmationLabelTextField(gridPane, ++rowIndex,
VolumeUtil.formatVolumeLabel(offer.getCurrencyCode()) + counterCurrencyDirectionInfo,

View File

@ -132,7 +132,7 @@ public class OpenOffersView extends ActivatableViewAndModel<VBox, OpenOffersView
priceColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.price")));
deviationColumn.setGraphic(new AutoTooltipTableColumn<>(Res.get("shared.deviation"),
Res.get("portfolio.closedTrades.deviation.help")).getGraphic());
amountColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.BTCMinMax")));
amountColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.XMRMinMax")));
volumeColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.amountMinMax")));
marketColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.market")));
directionColumn.setGraphic(new AutoTooltipLabel(Res.get("shared.offerType")));

View File

@ -48,7 +48,7 @@ public class SellerStep1View extends TradeStepView {
@Override
protected String getInfoText() {
return Res.get("portfolio.pending.step1.info", Res.get("shared.TheBTCBuyer"));
return Res.get("portfolio.pending.step1.info", Res.get("shared.TheXMRBuyer"));
}
///////////////////////////////////////////////////////////////////////////////////////////

View File

@ -112,7 +112,7 @@ public class AboutView extends ActivatableView<GridPane, Void> {
addCompactTopLabelTextField(root, ++gridRow, Res.get("setting.about.shortcuts.walletDetails"),
Res.get("setting.about.shortcuts.ctrlOrAltOrCmd", "j"));
addCompactTopLabelTextField(root, ++gridRow, Res.get("setting.about.shortcuts.openEmergencyBtcWalletTool"),
addCompactTopLabelTextField(root, ++gridRow, Res.get("setting.about.shortcuts.openEmergencyXmrWalletTool"),
Res.get("setting.about.shortcuts.ctrlOrAltOrCmd", "e"));
addCompactTopLabelTextField(root, ++gridRow, Res.get("setting.about.shortcuts.showTorLogs"),

View File

@ -153,7 +153,7 @@ public class NetworkSettingsView extends ActivatableView<GridPane, Void> {
@Override
public void initialize() {
btcHeader.setText(Res.get("settings.net.btcHeader"));
btcHeader.setText(Res.get("settings.net.xmrHeader"));
p2pHeader.setText(Res.get("settings.net.p2pHeader"));
onionAddress.setPromptText(Res.get("settings.net.onionAddressLabel"));
xmrNodesLabel.setText(Res.get("settings.net.xmrNodesLabel"));

View File

@ -691,7 +691,7 @@ public class GUIUtil {
public static boolean isReadyForTxBroadcastOrShowPopup(CoreMoneroConnectionsService connectionService) {
if (!connectionService.hasSufficientPeersForBroadcast()) {
new Popup().information(Res.get("popup.warning.notSufficientConnectionsToBtcNetwork", connectionService.getMinBroadcastConnections())).show();
new Popup().information(Res.get("popup.warning.notSufficientConnectionsToXmrNetwork", connectionService.getMinBroadcastConnections())).show();
return false;
}
@ -742,7 +742,7 @@ public class GUIUtil {
}
public static void showWantToBurnBTCPopup(Coin miningFee, Coin amount, CoinFormatter btcFormatter) {
new Popup().warning(Res.get("popup.warning.burnBTC", btcFormatter.formatCoinWithCode(miningFee),
new Popup().warning(Res.get("popup.warning.burnXMR", btcFormatter.formatCoinWithCode(miningFee),
btcFormatter.formatCoinWithCode(amount))).show();
}

View File

@ -67,8 +67,8 @@ public class CreateOfferViewModelTest {
@BeforeEach
public void setUp() {
final CryptoCurrency btc = new CryptoCurrency("XMR", "monero");
GlobalSettings.setDefaultTradeCurrency(btc);
final CryptoCurrency xmr = new CryptoCurrency("XMR", "monero");
GlobalSettings.setDefaultTradeCurrency(xmr);
Res.setup();
final XmrValidator btcValidator = new XmrValidator();

View File

@ -29,15 +29,15 @@ import javax.inject.Named;
import java.net.UnknownHostException;
/**
* Provides Socks5Proxies for the bitcoin network and http requests
* Provides Socks5Proxies for the monero network and http requests
* <p/>
* By default there is only used the haveno internal Tor proxy, which is used for the P2P network, Btc network
* (if Tor for btc is enabled) and http requests (if Tor for http requests is enabled).
* By default there is only used the haveno internal Tor proxy, which is used for the P2P network, xmr network
* (if Tor for xmr is enabled) and http requests (if Tor for http requests is enabled).
* If the user provides a socks5ProxyHttpAddress it will be used for http requests.
* If the user provides a socks5ProxyBtcAddress, this will be used for the btc network.
* If socks5ProxyBtcAddress is present but no socks5ProxyHttpAddress the socks5ProxyBtcAddress will be used for http
* If the user provides a socks5ProxyXmrAddress, this will be used for the xmr network.
* If socks5ProxyXmrAddress is present but no socks5ProxyHttpAddress the socks5ProxyXmrAddress will be used for http
* requests.
* If no socks5ProxyBtcAddress and no socks5ProxyHttpAddress is defined (default) we use socks5ProxyInternal.
* If no socks5ProxyXmrAddress and no socks5ProxyHttpAddress is defined (default) we use socks5ProxyInternal.
*/
public class Socks5ProxyProvider {
private static final Logger log = LoggerFactory.getLogger(Socks5ProxyProvider.class);
@ -47,23 +47,23 @@ public class Socks5ProxyProvider {
// proxy used for btc network
@Nullable
private final Socks5Proxy socks5ProxyBtc;
private final Socks5Proxy socks5ProxyXmr;
// if defined proxy used for http requests
@Nullable
private final Socks5Proxy socks5ProxyHttp;
@Inject
public Socks5ProxyProvider(@Named(Config.SOCKS_5_PROXY_BTC_ADDRESS) String socks5ProxyBtcAddress,
public Socks5ProxyProvider(@Named(Config.SOCKS_5_PROXY_XMR_ADDRESS) String socks5ProxyXmrAddress,
@Named(Config.SOCKS_5_PROXY_HTTP_ADDRESS) String socks5ProxyHttpAddress) {
socks5ProxyBtc = getProxyFromAddress(socks5ProxyBtcAddress);
socks5ProxyXmr = getProxyFromAddress(socks5ProxyXmrAddress);
socks5ProxyHttp = getProxyFromAddress(socks5ProxyHttpAddress);
}
@Nullable
public Socks5Proxy getSocks5Proxy() {
if (socks5ProxyBtc != null)
return socks5ProxyBtc;
if (socks5ProxyXmr != null)
return socks5ProxyXmr;
else if (socks5ProxyInternalFactory != null)
return getSocks5ProxyInternal();
else
@ -71,8 +71,8 @@ public class Socks5ProxyProvider {
}
@Nullable
public Socks5Proxy getSocks5ProxyBtc() {
return socks5ProxyBtc;
public Socks5Proxy getSocks5ProxyXmr() {
return socks5ProxyXmr;
}
@Nullable

View File

@ -46,7 +46,7 @@ import static haveno.common.config.Config.BAN_LIST;
import static haveno.common.config.Config.MAX_CONNECTIONS;
import static haveno.common.config.Config.NODE_PORT;
import static haveno.common.config.Config.REPUBLISH_MAILBOX_ENTRIES;
import static haveno.common.config.Config.SOCKS_5_PROXY_BTC_ADDRESS;
import static haveno.common.config.Config.SOCKS_5_PROXY_XMR_ADDRESS;
import static haveno.common.config.Config.SOCKS_5_PROXY_HTTP_ADDRESS;
import static haveno.common.config.Config.TORRC_FILE;
import static haveno.common.config.Config.TORRC_OPTIONS;
@ -92,7 +92,7 @@ public class P2PModule extends AppModule {
bindConstant().annotatedWith(named(MAX_CONNECTIONS)).to(config.maxConnections);
bind(new TypeLiteral<List<String>>(){}).annotatedWith(named(BAN_LIST)).toInstance(config.banList);
bindConstant().annotatedWith(named(SOCKS_5_PROXY_BTC_ADDRESS)).to(config.socks5ProxyBtcAddress);
bindConstant().annotatedWith(named(SOCKS_5_PROXY_XMR_ADDRESS)).to(config.socks5ProxyXmrAddress);
bindConstant().annotatedWith(named(SOCKS_5_PROXY_HTTP_ADDRESS)).to(config.socks5ProxyHttpAddress);
bind(File.class).annotatedWith(named(TORRC_FILE)).toProvider(of(config.torrcFile)); // allow null value
bindConstant().annotatedWith(named(TORRC_OPTIONS)).to(config.torrcOptions);