mirror of
https://github.com/bisq-network/bisq.git
synced 2025-02-24 23:18:17 +01:00
Merge pull request #5012 from bisq-network/release/v1.5.2
Release/v1.5.2
This commit is contained in:
commit
00c82bb7e9
61 changed files with 1710 additions and 1358 deletions
|
@ -28,7 +28,7 @@ configure(subprojects) {
|
|||
|
||||
ext { // in alphabetical order
|
||||
bcVersion = '1.63'
|
||||
bitcoinjVersion = 'dcf8af0'
|
||||
bitcoinjVersion = '2a80db4'
|
||||
btcdCli4jVersion = '27b94333'
|
||||
codecVersion = '1.13'
|
||||
easybindVersion = '1.0.3'
|
||||
|
@ -386,7 +386,7 @@ configure(project(':desktop')) {
|
|||
apply plugin: 'witness'
|
||||
apply from: '../gradle/witness/gradle-witness.gradle'
|
||||
|
||||
version = '1.5.1-SNAPSHOT'
|
||||
version = '1.5.2-SNAPSHOT'
|
||||
|
||||
mainClassName = 'bisq.desktop.app.BisqAppMain'
|
||||
|
||||
|
|
|
@ -22,25 +22,26 @@ import lombok.extern.slf4j.Slf4j;
|
|||
@Slf4j
|
||||
public class AsciiLogo {
|
||||
public static void showAsciiLogo() {
|
||||
log.info("\n\n" +
|
||||
" ........ ...... \n" +
|
||||
" .............. ...... \n" +
|
||||
" ................. ...... \n" +
|
||||
" ...... .......... .. ...... \n" +
|
||||
" ...... ...... ...... ............... ..... ......... .......... \n" +
|
||||
" ....... ........ .................. ..... ............. ............... \n" +
|
||||
" ...... ........ .......... ....... ..... ...... ... ........ ....... \n" +
|
||||
" ...... ..... ....... ..... ..... ..... ..... ...... \n" +
|
||||
" ...... ... ... ...... ...... ..... ........... ...... ...... \n" +
|
||||
" ...... ..... .... ...... ...... ..... ............ ..... ...... \n" +
|
||||
" ...... ..... ...... ..... ........ ...... ...... \n" +
|
||||
" ...... .... ... ...... ...... ..... .. ...... ...... ........ \n" +
|
||||
" ........ .. ....... ................. ..... .............. ................... \n" +
|
||||
" .......... ......... ............. ..... ............ ................. \n" +
|
||||
" ...................... ..... .... .... ...... \n" +
|
||||
" ................ ...... \n" +
|
||||
" .... ...... \n" +
|
||||
" ...... \n" +
|
||||
"\n\n");
|
||||
String ls = System.lineSeparator();
|
||||
log.info(ls + ls +
|
||||
" ........ ...... " + ls +
|
||||
" .............. ...... " + ls +
|
||||
" ................. ...... " + ls +
|
||||
" ...... .......... .. ...... " + ls +
|
||||
" ...... ...... ...... ............... ..... ......... .......... " + ls +
|
||||
" ....... ........ .................. ..... ............. ............... " + ls +
|
||||
" ...... ........ .......... ....... ..... ...... ... ........ ....... " + ls +
|
||||
" ...... ..... ....... ..... ..... ..... ..... ...... " + ls +
|
||||
" ...... ... ... ...... ...... ..... ........... ...... ...... " + ls +
|
||||
" ...... ..... .... ...... ...... ..... ............ ..... ...... " + ls +
|
||||
" ...... ..... ...... ..... ........ ...... ...... " + ls +
|
||||
" ...... .... ... ...... ...... ..... .. ...... ...... ........ " + ls +
|
||||
" ........ .. ....... ................. ..... .............. ................... " + ls +
|
||||
" .......... ......... ............. ..... ............ ................. " + ls +
|
||||
" ...................... ..... .... .... ...... " + ls +
|
||||
" ................ ...... " + ls +
|
||||
" .... ...... " + ls +
|
||||
" ...... " + ls +
|
||||
ls + ls);
|
||||
}
|
||||
}
|
||||
|
|
|
@ -30,14 +30,14 @@ public class Version {
|
|||
// VERSION = 0.5.0 introduces proto buffer for the P2P network and local DB and is a not backward compatible update
|
||||
// Therefore all sub versions start again with 1
|
||||
// We use semantic versioning with major, minor and patch
|
||||
public static final String VERSION = "1.5.1";
|
||||
public static final String VERSION = "1.5.2";
|
||||
|
||||
/**
|
||||
* Holds a list of the tagged resource files for optimizing the getData requests.
|
||||
* This must not contain each version but only those where we add new version-tagged resource files for
|
||||
* historical data stores.
|
||||
*/
|
||||
public static final List<String> HISTORICAL_RESOURCE_FILE_VERSION_TAGS = Arrays.asList("1.4.0", "1.5.0");
|
||||
public static final List<String> HISTORICAL_RESOURCE_FILE_VERSION_TAGS = Arrays.asList("1.4.0", "1.5.0", "1.5.2");
|
||||
|
||||
public static int getMajorVersion(String version) {
|
||||
return getSubVersion(version, 0);
|
||||
|
|
|
@ -136,6 +136,7 @@ public class AccountAgeWitnessService {
|
|||
private final User user;
|
||||
private final SignedWitnessService signedWitnessService;
|
||||
private final ChargeBackRisk chargeBackRisk;
|
||||
private final AccountAgeWitnessStorageService accountAgeWitnessStorageService;
|
||||
private final FilterManager filterManager;
|
||||
@Getter
|
||||
private final AccountAgeWitnessUtils accountAgeWitnessUtils;
|
||||
|
@ -167,6 +168,7 @@ public class AccountAgeWitnessService {
|
|||
this.user = user;
|
||||
this.signedWitnessService = signedWitnessService;
|
||||
this.chargeBackRisk = chargeBackRisk;
|
||||
this.accountAgeWitnessStorageService = accountAgeWitnessStorageService;
|
||||
this.filterManager = filterManager;
|
||||
|
||||
accountAgeWitnessUtils = new AccountAgeWitnessUtils(
|
||||
|
@ -190,10 +192,10 @@ public class AccountAgeWitnessService {
|
|||
});
|
||||
|
||||
// At startup the P2PDataStorage initializes earlier, otherwise we get the listener called.
|
||||
p2PService.getP2PDataStorage().getAppendOnlyDataStoreMap().values().forEach(e -> {
|
||||
if (e instanceof AccountAgeWitness)
|
||||
addToMap((AccountAgeWitness) e);
|
||||
});
|
||||
accountAgeWitnessStorageService.getMapOfAllData().values().stream()
|
||||
.filter(e -> e instanceof AccountAgeWitness)
|
||||
.map(e -> (AccountAgeWitness) e)
|
||||
.forEach(this::addToMap);
|
||||
|
||||
if (p2PService.isBootstrapped()) {
|
||||
onBootStrapped();
|
||||
|
|
|
@ -107,7 +107,7 @@ public class WalletAppSetup {
|
|||
Runnable downloadCompleteHandler,
|
||||
Runnable walletInitializedHandler) {
|
||||
log.info("Initialize WalletAppSetup with BitcoinJ version {} and hash of BitcoinJ commit {}",
|
||||
VersionMessage.BITCOINJ_VERSION, "dcf8af0");
|
||||
VersionMessage.BITCOINJ_VERSION, "2a80db4");
|
||||
|
||||
ObjectProperty<Throwable> walletServiceException = new SimpleObjectProperty<>();
|
||||
btcInfoBinding = EasyBind.combine(walletsSetup.downloadPercentageProperty(),
|
||||
|
|
|
@ -371,7 +371,7 @@ public class DaoStateMonitoringService implements DaoSetupService, DaoStateListe
|
|||
if (this.isInConflictWithSeedNode)
|
||||
log.warn("Conflict with seed nodes: {}", conflictMsg);
|
||||
else if (this.isInConflictWithNonSeedNode)
|
||||
log.info("Conflict with non-seed nodes: {}", conflictMsg);
|
||||
log.debug("Conflict with non-seed nodes: {}", conflictMsg);
|
||||
}
|
||||
|
||||
|
||||
|
|
|
@ -466,7 +466,11 @@ public class FilterManager {
|
|||
Filter currentFilter = getFilter();
|
||||
|
||||
if (!isFilterPublicKeyInList(newFilter)) {
|
||||
log.warn("isFilterPublicKeyInList failed. Filter.getSignerPubKeyAsHex={}", newFilter.getSignerPubKeyAsHex());
|
||||
if (newFilter.getSignerPubKeyAsHex() != null && !newFilter.getSignerPubKeyAsHex().isEmpty()) {
|
||||
log.warn("isFilterPublicKeyInList failed. Filter.getSignerPubKeyAsHex={}", newFilter.getSignerPubKeyAsHex());
|
||||
} else {
|
||||
log.info("isFilterPublicKeyInList failed. Filter.getSignerPubKeyAsHex not set (expected case for pre v1.3.9 filter)");
|
||||
}
|
||||
return;
|
||||
}
|
||||
if (!isSignatureValid(newFilter)) {
|
||||
|
@ -593,7 +597,7 @@ public class FilterManager {
|
|||
private boolean isFilterPublicKeyInList(Filter filter) {
|
||||
String signerPubKeyAsHex = filter.getSignerPubKeyAsHex();
|
||||
if (!isPublicKeyInList(signerPubKeyAsHex)) {
|
||||
log.warn("Invalid filter (expected case for pre v1.3.9 filter as we still keep that in the network " +
|
||||
log.info("Invalid filter (expected case for pre v1.3.9 filter as we still keep that in the network " +
|
||||
"but the new version does not recognize it as valid filter): " +
|
||||
"signerPubKeyAsHex from filter is not part of our pub key list. " +
|
||||
"signerPubKeyAsHex={}, publicKeys={}, filterCreationDate={}",
|
||||
|
@ -606,7 +610,7 @@ public class FilterManager {
|
|||
private boolean isPublicKeyInList(String pubKeyAsHex) {
|
||||
boolean isPublicKeyInList = publicKeys.contains(pubKeyAsHex);
|
||||
if (!isPublicKeyInList) {
|
||||
log.warn("pubKeyAsHex is not part of our pub key list. pubKeyAsHex={}, publicKeys={}", pubKeyAsHex, publicKeys);
|
||||
log.info("pubKeyAsHex is not part of our pub key list (expected case for pre v1.3.9 filter). pubKeyAsHex={}, publicKeys={}", pubKeyAsHex, publicKeys);
|
||||
}
|
||||
return isPublicKeyInList;
|
||||
}
|
||||
|
|
|
@ -301,7 +301,6 @@ public class CurrencyUtil {
|
|||
new FiatCurrency("MAD"),
|
||||
new FiatCurrency("NPR"),
|
||||
new FiatCurrency("NZD"),
|
||||
new FiatCurrency("NGN"),
|
||||
new FiatCurrency("NOK"),
|
||||
new FiatCurrency("PKR"),
|
||||
new FiatCurrency("PEN"),
|
||||
|
|
|
@ -55,8 +55,9 @@ public class MyOfferTakenEvents {
|
|||
}
|
||||
|
||||
private void onOpenOfferRemoved(OpenOffer openOffer) {
|
||||
log.info("We got a offer removed. id={}, state={}", openOffer.getId(), openOffer.getState());
|
||||
if (openOffer.getState() == OpenOffer.State.RESERVED) {
|
||||
OpenOffer.State state = openOffer.getState();
|
||||
if (state == OpenOffer.State.RESERVED) {
|
||||
log.info("We got a offer removed. id={}, state={}", openOffer.getId(), state);
|
||||
String shortId = openOffer.getShortId();
|
||||
MobileMessage message = new MobileMessage(Res.get("account.notifications.offer.message.title"),
|
||||
Res.get("account.notifications.offer.message.msg", shortId),
|
||||
|
|
|
@ -97,12 +97,25 @@ public abstract class PaymentAccount implements PersistablePayload {
|
|||
}
|
||||
|
||||
public static PaymentAccount fromProto(protobuf.PaymentAccount proto, CoreProtoResolver coreProtoResolver) {
|
||||
PaymentAccount account = PaymentAccountFactory.getPaymentAccount(PaymentMethod.getPaymentMethodById(proto.getPaymentMethod().getId()));
|
||||
String paymentMethodId = proto.getPaymentMethod().getId();
|
||||
List<TradeCurrency> tradeCurrencies = proto.getTradeCurrenciesList().stream()
|
||||
.map(TradeCurrency::fromProto)
|
||||
.collect(Collectors.toList());
|
||||
|
||||
// We need to remove NGN for Transferwise
|
||||
Optional<TradeCurrency> ngnTwOptional = tradeCurrencies.stream()
|
||||
.filter(e -> paymentMethodId.equals(PaymentMethod.TRANSFERWISE_ID))
|
||||
.filter(e -> e.getCode().equals("NGN"))
|
||||
.findAny();
|
||||
// We cannot remove it in the stream as it would cause a concurrentModificationException
|
||||
ngnTwOptional.ifPresent(tradeCurrencies::remove);
|
||||
|
||||
PaymentAccount account = PaymentAccountFactory.getPaymentAccount(PaymentMethod.getPaymentMethodById(paymentMethodId));
|
||||
account.getTradeCurrencies().clear();
|
||||
account.setId(proto.getId());
|
||||
account.setCreationDate(proto.getCreationDate());
|
||||
account.setAccountName(proto.getAccountName());
|
||||
account.getTradeCurrencies().addAll(proto.getTradeCurrenciesList().stream().map(TradeCurrency::fromProto).collect(Collectors.toList()));
|
||||
account.getTradeCurrencies().addAll(tradeCurrencies);
|
||||
account.setPaymentAccountPayload(coreProtoResolver.fromProto(proto.getPaymentAccountPayload()));
|
||||
|
||||
if (proto.hasSelectedTradeCurrency())
|
||||
|
|
|
@ -79,10 +79,8 @@ public class ProvidersRepository {
|
|||
fillProviderList();
|
||||
selectNextProviderBaseUrl();
|
||||
|
||||
if (bannedNodes == null) {
|
||||
log.info("Selected provider baseUrl={}, providerList={}", baseUrl, providerList);
|
||||
} else if (!bannedNodes.isEmpty()) {
|
||||
log.warn("We have banned provider nodes: bannedNodes={}, selected provider baseUrl={}, providerList={}",
|
||||
if (bannedNodes != null && !bannedNodes.isEmpty()) {
|
||||
log.info("Excluded provider nodes from filter: nodes={}, selected provider baseUrl={}, providerList={}",
|
||||
bannedNodes, baseUrl, providerList);
|
||||
}
|
||||
}
|
||||
|
|
|
@ -47,6 +47,8 @@ public class CoreNetworkCapabilities {
|
|||
if (config.daoActivated) {
|
||||
maybeApplyDaoFullMode(config);
|
||||
}
|
||||
|
||||
log.info(Capabilities.app.prettyPrint());
|
||||
}
|
||||
|
||||
public static void maybeApplyDaoFullMode(Config config) {
|
||||
|
@ -54,12 +56,10 @@ public class CoreNetworkCapabilities {
|
|||
// bit later than we call that method so we have to add DAO_FULL_NODE Capability at preferences as well to
|
||||
// be sure it is set in both cases.
|
||||
if (config.fullDaoNode) {
|
||||
log.info("Set Capability.DAO_FULL_NODE");
|
||||
Capabilities.app.addAll(Capability.DAO_FULL_NODE);
|
||||
} else {
|
||||
// A lite node has the capability to receive bsq blocks. We do not want to send BSQ blocks to full nodes
|
||||
// as they ignore them anyway.
|
||||
log.info("Set Capability.RECEIVE_BSQ_BLOCK");
|
||||
Capabilities.app.addAll(Capability.RECEIVE_BSQ_BLOCK);
|
||||
}
|
||||
}
|
||||
|
|
|
@ -286,8 +286,10 @@ public class FluentProtocol {
|
|||
log.info(info);
|
||||
return Result.VALID.info(info);
|
||||
} else {
|
||||
String info = MessageFormat.format("We received a {0} but we are are not in the expected phase. " +
|
||||
"Expected phases={1}, Trade phase={2}, Trade state= {3}, tradeId={4}",
|
||||
String info = MessageFormat.format("We received a {0} but we are are not in the expected phase.\n" +
|
||||
"This can be an expected case if we get a repeated CounterCurrencyTransferStartedMessage " +
|
||||
"after we have already received one as the peer re-sends that message at each startup.\n" +
|
||||
"Expected phases={1},\nTrade phase={2},\nTrade state= {3},\ntradeId={4}",
|
||||
trigger,
|
||||
expectedPhases,
|
||||
trade.getPhase(),
|
||||
|
|
|
@ -196,7 +196,7 @@ public abstract class TradeProtocol implements DecryptedDirectMessageListener, D
|
|||
.condition(condition)
|
||||
.resultHandler(result -> {
|
||||
if (!result.isValid()) {
|
||||
log.error(result.getInfo());
|
||||
log.warn(result.getInfo());
|
||||
handleTaskRunnerFault(null,
|
||||
result.name(),
|
||||
result.getInfo());
|
||||
|
|
|
@ -132,11 +132,8 @@ public class XmrTxProofService implements AssetTxProofService {
|
|||
onP2pNetworkAndWalletReady();
|
||||
} else {
|
||||
p2pNetworkAndWalletReady = EasyBind.combine(isP2pBootstrapped, hasSufficientBtcPeers, isBtcBlockDownloadComplete,
|
||||
(bootstrapped, sufficientPeers, downloadComplete) -> {
|
||||
log.info("isP2pBootstrapped={}, hasSufficientBtcPeers={} isBtcBlockDownloadComplete={}",
|
||||
bootstrapped, sufficientPeers, downloadComplete);
|
||||
return bootstrapped && sufficientPeers && downloadComplete;
|
||||
});
|
||||
(bootstrapped, sufficientPeers, downloadComplete) ->
|
||||
bootstrapped && sufficientPeers && downloadComplete);
|
||||
|
||||
p2pNetworkAndWalletReadyListener = (observable, oldValue, newValue) -> {
|
||||
if (newValue) {
|
||||
|
|
|
@ -3321,11 +3321,15 @@ payment.payid=PayID linked to financial institution. Like email address or mobil
|
|||
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 need to purchase an Amazon eGift Card at your Amazon account and \
|
||||
use the BTC seller''s email or mobile nr. as receiver. Amazon sends then an email or text message to the receiver. \
|
||||
Use the trade ID for the message field.\n\n\
|
||||
Amazon eGift Cards can only be redeemed by Amazon accounts with the same currency.\n\n\
|
||||
For more information visit the Amazon eGift Card webpage. [HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
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\n\
|
||||
Bisq 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://bisq.wiki/Amazon_eGift_card] for further details and best practices. \n\n\
|
||||
Three 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
|
||||
# dynamic values are not recognized by IntelliJ
|
||||
|
|
|
@ -46,8 +46,8 @@ shared.buyingCurrency=nakoupit {0} (prodat BTC)
|
|||
shared.sellingCurrency=prodat {0} (nakoupit BTC)
|
||||
shared.buy=koupit
|
||||
shared.sell=prodat
|
||||
shared.buying=koupit
|
||||
shared.selling=prodat
|
||||
shared.buying=kupuje
|
||||
shared.selling=prodává
|
||||
shared.P2P=P2P
|
||||
shared.oneOffer=nabídka
|
||||
shared.multipleOffers=nabídky
|
||||
|
@ -71,6 +71,7 @@ shared.amountWithCur=Množství v {0}
|
|||
shared.volumeWithCur=Objem v {0}
|
||||
shared.currency=Měna
|
||||
shared.market=Trh
|
||||
shared.deviation=Odchylka
|
||||
shared.paymentMethod=Platební metoda
|
||||
shared.tradeCurrency=Obchodní měna
|
||||
shared.offerType=Typ nabídky
|
||||
|
@ -103,10 +104,10 @@ shared.nextStep=Další krok
|
|||
shared.selectTradingAccount=Vyberte obchodní účet
|
||||
shared.fundFromSavingsWalletButton=Přesunout finance z Bisq 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 máte nějakou nainstalovanou?
|
||||
shared.openDefaultWalletFailed=Nepodařilo se otevřít aplikaci bitcoinové peněženky. Jste si jisti, že máte nějakou nainstalovanou?
|
||||
shared.distanceInPercent=Vzdálenost v % z tržní ceny
|
||||
shared.belowInPercent=Pod % z tržní ceny
|
||||
shared.aboveInPercent=Nad % z tržní ceny
|
||||
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 Bisq 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 Bisq v části Prostředky > Přijmout prostředky.
|
||||
|
@ -123,7 +124,7 @@ shared.noDateAvailable=Žádné datum není k dispozici
|
|||
shared.noDetailsAvailable=Detaily nejsou k dispozici
|
||||
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/byte)\nTransakční vsize: {5} vKb\n\nPříjemce obdrží: {6}\n\nOpravdu chcete tuto částku vybrat?
|
||||
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=Bisq 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.copyToClipboard=Kopírovat do schránky
|
||||
|
@ -149,7 +150,7 @@ shared.information=Informace
|
|||
shared.name=Jméno
|
||||
shared.id=ID
|
||||
shared.dashboard=Dashboard
|
||||
shared.accept=Příjmout
|
||||
shared.accept=Přijmout
|
||||
shared.balance=Zůstatek
|
||||
shared.save=Uložit
|
||||
shared.onionAddress=Onion adresa
|
||||
|
@ -179,8 +180,8 @@ shared.messageArrived=Zpráva dorazila.
|
|||
shared.messageStoredInMailbox=Zpráva uložena ve schránce
|
||||
shared.messageSendingFailed=Odeslání zprávy selhalo. Chyba: {0}
|
||||
shared.unlock=Odemknout
|
||||
shared.toReceive=přijmout
|
||||
shared.toSpend=utratit
|
||||
shared.toReceive=bude přijata
|
||||
shared.toSpend=bude utracena
|
||||
shared.btcAmount=Částka BTC
|
||||
shared.yourLanguage=Vaše jazyky
|
||||
shared.addLanguage=Přidat jazyk
|
||||
|
@ -214,10 +215,13 @@ shared.selectedRefundAgent=Zvolený rozhodce
|
|||
shared.mediator=Mediátor
|
||||
shared.arbitrator=Rozhodce
|
||||
shared.refundAgent=Rozhodce
|
||||
shared.refundAgentForSupportStaff=Vrátit finance agentovi
|
||||
shared.refundAgentForSupportStaff=Rozhodce
|
||||
shared.delayedPayoutTxId=ID zpožděné platební transakce
|
||||
shared.delayedPayoutTxReceiverAddress=Zpožděná výplatní transakce odeslána na
|
||||
shared.unconfirmedTransactionsLimitReached=Momentálně máte příliš mnoho nepotvrzených transakcí. Prosím zkuste to znovu později.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Povoleno
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Zamčené v obchodech
|
|||
mainView.balance.reserved.short=Rezervováno
|
||||
mainView.balance.locked.short=Zamčeno
|
||||
|
||||
mainView.footer.usingTor=(používá Tor)
|
||||
mainView.footer.usingTor=(přes Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Aktuální sazba poplatku: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Aktuální poplatek: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Připojování do Bitcoinové sítě
|
||||
mainView.footer.bsqInfo.synchronizing=/ Synchronizace DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizace s
|
||||
mainView.footer.btcInfo.synchronizedWith=Synchronizováno s
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizace s {0} v bloku: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synchronizováno s {0} v bloku {1}
|
||||
mainView.footer.btcInfo.connectingTo=Připojování
|
||||
mainView.footer.btcInfo.connectionFailed=Připojení se nezdařilo
|
||||
mainView.footer.p2pInfo=Bitcoin síťové nody: {0} / Bisq síťové nody: {1}
|
||||
|
@ -296,8 +300,8 @@ market.offerBook.buyAltcoin=Koupit {0} (prodat {1})
|
|||
market.offerBook.sellAltcoin=Prodat {0} (koupit {1})
|
||||
market.offerBook.buyWithFiat=Koupit {0}
|
||||
market.offerBook.sellWithFiat=Prodat {0}
|
||||
market.offerBook.sellOffersHeaderLabel=prodat {0}
|
||||
market.offerBook.buyOffersHeaderLabel=Buy {0} od
|
||||
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
|
||||
|
||||
|
@ -326,7 +330,7 @@ market.trades.tooltip.candle.date=Datum:
|
|||
offerbook.createOffer=Vytvořit nabídku
|
||||
offerbook.takeOffer=Přijmout nabídku
|
||||
offerbook.takeOfferToBuy=Přijmout nabídku na nákup {0}
|
||||
offerbook.takeOfferToSell=Příjmout nabídku k prodeji {0}
|
||||
offerbook.takeOfferToSell=Přijmout nabídku k prodeji {0}
|
||||
offerbook.trader=Obchodník
|
||||
offerbook.offerersBankId=ID banky tvůrce (BIC/SWIFT): {0}
|
||||
offerbook.offerersBankName=Jméno banky tvůrce: {0}
|
||||
|
@ -336,12 +340,12 @@ offerbook.offerersAcceptedBankSeats=Přijatá sídla bank (příjemce):\n {0}
|
|||
offerbook.availableOffers=Dostupné nabídky
|
||||
offerbook.filterByCurrency=Filtrovat podle měny
|
||||
offerbook.filterByPaymentMethod=Filtrovat podle platební metody
|
||||
offerbook.timeSinceSigning=Podepsáno od
|
||||
offerbook.timeSinceSigning=Informace o účtu
|
||||
offerbook.timeSinceSigning.info=Tento účet byl ověřen a {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=podepsan rozhodcem a může podepisovat účty partnerů
|
||||
offerbook.timeSinceSigning.info.peer=podepsán partnerem, který čeká na zrušení limitů
|
||||
offerbook.timeSinceSigning.info.arbitrator=podepsán rozhodcem a může podepisovat účty partnerů
|
||||
offerbook.timeSinceSigning.info.peer=podepsáno partnerem, nyní čeká ještě %d dnů na zrušení limitů
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=podepsán partnerem a limity byly zrušeny
|
||||
offerbook.timeSinceSigning.info.signer=podepsán partnerem a může podepsat účty partnera (zrušené limity)
|
||||
offerbook.timeSinceSigning.info.signer=podepsán partnerem a může podepsat účty partnera (pro zrušení limitů)
|
||||
offerbook.timeSinceSigning.info.banned=účet byl zablokován
|
||||
offerbook.timeSinceSigning.daysSinceSigning={0} dní
|
||||
offerbook.timeSinceSigning.daysSinceSigning.long={0} od podpisu
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Je automatické potvrzení povoleno
|
|||
|
||||
offerbook.timeSinceSigning.help=Když úspěšně dokončíte obchod s peerem, který má podepsaný platební účet, je váš platební účet podepsán.\n{0} dní později se počáteční limit {1} zruší a váš účet může podepisovat platební účty ostatních peerů.
|
||||
offerbook.timeSinceSigning.notSigned=Dosud nepodepsáno
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} dní
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=Tento účet dosud nebyl podepsán
|
||||
shared.notSigned.noNeed=Tento typ účtu nepoužívá podepisování
|
||||
shared.notSigned=Tento účet ještě nebyl podepsán a byl vytvořen před {0} dny
|
||||
shared.notSigned.noNeed=Tento typ účtu nevyžaduje podepisování
|
||||
shared.notSigned.noNeedDays=Tento typ účtu nevyžaduje podepisování a byl vytvořen před {0} dny
|
||||
shared.notSigned.noNeedAlts=Altcoinové účty neprocházejí kontrolou podpisu a stáří
|
||||
|
||||
offerbook.nrOffers=Počet nabídek: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
|
@ -365,7 +372,7 @@ offerbook.createOfferToSell.forFiat=Vytvořit novou nabídku k prodeji {0} za {1
|
|||
offerbook.createOfferToBuy.withCrypto=Vytvořit novou nabídku k prodeji {0} (koupit {1})
|
||||
offerbook.createOfferToSell.forCrypto=Vytvořit novou nabídku na nákup {0} (prodat {1})
|
||||
|
||||
offerbook.takeOfferButton.tooltip=Využijte nabídku pro {0}
|
||||
offerbook.takeOfferButton.tooltip=Využijte nabídku {0}
|
||||
offerbook.yesCreateOffer=Ano, vytvořit nabídku
|
||||
offerbook.setupNewAccount=Založit nový obchodní účet
|
||||
offerbook.removeOffer.success=Odebrání nabídky bylo úspěšné.
|
||||
|
@ -384,7 +391,7 @@ offerbook.warning.counterpartyTradeRestrictions=Tuto nabídku nelze přijmout z
|
|||
offerbook.warning.newVersionAnnouncement=S touto verzí softwaru mohou obchodní partneři navzájem ověřovat a podepisovat platební účty ostatních a vytvářet tak síť důvěryhodných platebních účtů.\n\nPo úspěšném obchodování s partnerským účtem s ověřeným platebním účtem bude váš platební účet podepsán a obchodní limity budou zrušeny po určitém časovém intervalu (délka tohoto intervalu závisí na způsobu ověření).\n\nDalší informace o podepsání účtu naleznete v dokumentaci na adrese [HYPERLINK:https://docs.bisq.network/payment-methods#account-signing].
|
||||
|
||||
popup.warning.tradeLimitDueAccountAgeRestriction.seller=Povolená částka obchodu je omezena na {0} z důvodu bezpečnostních omezení na základě následujících kritérií:\n- Účet kupujícího nebyl podepsán rozhodcem ani obchodním partnerem\n- Doba od podpisu účtu kupujícího není alespoň 30 dní\n- Způsob platby této nabídky je považován za riskantní pro bankovní zpětné zúčtování\n\n{1}
|
||||
popup.warning.tradeLimitDueAccountAgeRestriction.buyer=Povolená částka obchodu je omezena na {0} z důvodu bezpečnostních omezení na základě následujících kritérií:\n- Váš účet nebyl podepsán rozhodcem ani obxhodním partnerem\n- Čas od podpisu vašeho účtu není alespoň 30 dní\n- Způsob platby této nabídky je považován za riskantní pro bankovní zpětné zúčtování\n\n{1}
|
||||
popup.warning.tradeLimitDueAccountAgeRestriction.buyer=Povolená částka obchodu je omezena na {0} z důvodu bezpečnostních omezení na základě následujících kritérií:\n- Váš účet nebyl podepsán rozhodcem ani obchodním partnerem\n- Čas od podpisu vašeho účtu není alespoň 30 dní\n- Způsob platby této nabídky je považován za riskantní pro bankovní zpětné zúčtování\n\n{1}
|
||||
|
||||
offerbook.warning.wrongTradeProtocol=Tato nabídka vyžaduje jinou verzi protokolu než ta, která byla použita ve vaší verzi softwaru.\n\nZkontrolujte, zda máte nainstalovanou nejnovější verzi, jinak uživatel, který nabídku vytvořil, použil starší verzi.\n\nUživatelé nemohou obchodovat s nekompatibilní verzí obchodního protokolu.
|
||||
offerbook.warning.userIgnored=Do seznamu ignorovaných uživatelů jste přidali onion adresu tohoto uživatele.
|
||||
|
@ -414,8 +421,8 @@ createOffer.amount.prompt=Vložte množství v BTC
|
|||
createOffer.price.prompt=Zadejte cenu
|
||||
createOffer.volume.prompt=Vložte množství v {0}
|
||||
createOffer.amountPriceBox.amountDescription=Množství BTC k {0}
|
||||
createOffer.amountPriceBox.buy.volumeDescription=Částka v {0}, kterou chcete utratit
|
||||
createOffer.amountPriceBox.sell.volumeDescription=Částka v {0}, kterou chcete přijmout
|
||||
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.securityDeposit.prompt=Kauce
|
||||
createOffer.fundsBox.title=Financujte svou nabídku
|
||||
|
@ -423,8 +430,8 @@ createOffer.fundsBox.offerFee=Obchodní poplatek
|
|||
createOffer.fundsBox.networkFee=Poplatek za těžbu
|
||||
createOffer.fundsBox.placeOfferSpinnerInfo=Probíhá publikování nabídky ...
|
||||
createOffer.fundsBox.paymentLabel=Bisq obchod s ID {0}
|
||||
createOffer.fundsBox.fundsStructure=({0} kauce, {1} obchodní poplatek, {2} poplatek za těžbu)
|
||||
createOffer.fundsBox.fundsStructure.BSQ=({0} kauce, {1} poplatek za těžbu) + {2} obchodní poplatek
|
||||
createOffer.fundsBox.fundsStructure=(kauce {0}, obchodní poplatek {1}, poplatek za těžbu {2})
|
||||
createOffer.fundsBox.fundsStructure.BSQ=(kauce {0}, poplatek za těžbu {1}) + obchodní poplatek {2}
|
||||
createOffer.success.headline=Vaše nabídka byla publikována
|
||||
createOffer.success.info=Otevřené nabídky můžete spravovat na stránce \"Portfolio/Moje otevřené nabídky\".
|
||||
createOffer.info.sellAtMarketPrice=Vždy budete prodávat za tržní cenu, protože cena vaší nabídky bude průběžně aktualizována.
|
||||
|
@ -451,9 +458,9 @@ createOffer.setAmountPrice=Nastavit množství a cenu
|
|||
createOffer.warnCancelOffer=Tuto nabídku jste již financovali.\nPokud ji nyní zrušíte, budou vaše prostředky přesunuty do lokální peněženky Bisq a jsou k dispozici pro výběr na obrazovce \"Prostředky/Odeslat prostředky\".\nOpravdu ji chcete zrušit?
|
||||
createOffer.timeoutAtPublishing=Při zveřejnění nabídky došlo k vypršení časového limitu.
|
||||
createOffer.errorInfo=\n\nTvůrčí poplatek je již zaplacen. V nejhorším případě jste tento poplatek ztratili.\nZkuste prosím restartovat aplikaci a zkontrolovat síťové připojení, abyste zjistili, zda můžete problém vyřešit.
|
||||
createOffer.tooLowSecDeposit.warning=Nastavili jstekauci na nižší hodnotu, než je doporučená výchozí hodnota {0}.\nOpravdu chcete použít nižší kauci?
|
||||
createOffer.tooLowSecDeposit.warning=Nastavili jste kauci na nižší hodnotu, než je doporučená výchozí hodnota {0}.\nOpravdu chcete použít nižší kauci?
|
||||
createOffer.tooLowSecDeposit.makerIsSeller=Poskytuje vám to menší ochranu v případě, že obchodní partner nedodrží obchodní protokol.
|
||||
createOffer.tooLowSecDeposit.makerIsBuyer=Poskytuje to menší ochranu obchodním partnerům, že dodržujete obchodní protokol, protože máte méně rizikových vkladů. Ostatní uživatelé mohou raději využít jiné nabídky než ty vaše.
|
||||
createOffer.tooLowSecDeposit.makerIsBuyer=Obchodní partner bude mít menší jistotu, že dodržíte obchodní protokol, protože uložená kauce bude příliš nízká. Ostatní uživatelé mohou raději využít jiné nabídky než té vaší.
|
||||
createOffer.resetToDefault=Ne, restartovat na výchozí hodnotu
|
||||
createOffer.useLowerValue=Ano, použijte moji nižší hodnotu
|
||||
createOffer.priceOutSideOfDeviation=Cena, kterou jste zadali, je mimo max. povolenou odchylku od tržní ceny.\nMax. povolená odchylka je {0} a lze ji upravit v preferencích.
|
||||
|
@ -488,18 +495,18 @@ takeOffer.fundsBox.offerFee=Obchodní poplatek
|
|||
takeOffer.fundsBox.networkFee=Celkové poplatky za těžbu
|
||||
takeOffer.fundsBox.takeOfferSpinnerInfo=Probíhá využití nabídky...
|
||||
takeOffer.fundsBox.paymentLabel=Bisq obchod s ID {0}
|
||||
takeOffer.fundsBox.fundsStructure=({0} kauce, {1} obchodní poplatek, {2} poplatek za těžbu)
|
||||
takeOffer.fundsBox.fundsStructure=(kauce {0}, obchodní poplatek {1}, poplatek za těžbu {2})
|
||||
takeOffer.success.headline=Úspěšně jste přijali nabídku.
|
||||
takeOffer.success.info=Stav vašeho obchodu můžete vidět v \"Portfolio/Otevřené obchody\".
|
||||
takeOffer.error.message=Při převzetí nabídky došlo k chybě.\n\n{0}
|
||||
|
||||
# new entries
|
||||
takeOffer.takeOfferButton=Přehled: Využijte nabídku na {0} bitcoin(y)\n
|
||||
takeOffer.takeOfferButton=Přehled: Využijte nabídku {0} bitcoin(y)
|
||||
takeOffer.noPriceFeedAvailable=Tuto nabídku nemůžete vzít, protože používá procentuální cenu založenou na tržní ceně, ale není k dispozici žádný zdroj cen.
|
||||
takeOffer.alreadyFunded.movedFunds=Tuto nabídku jste již financovali.\nVaše finanční prostředky byly přesunuty do vaší lokální peněženky Bisq a jsou k dispozici pro výběr na obrazovce \"Prostředky/Odeslat finanční prostředky\".
|
||||
takeOffer.takeOfferFundWalletInfo.headline=Financujte svůj obchod
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
takeOffer.takeOfferFundWalletInfo.tradeAmount=- Výše obchodu: {0}
|
||||
takeOffer.takeOfferFundWalletInfo.tradeAmount=- Výše obchodu: {0} \n
|
||||
takeOffer.takeOfferFundWalletInfo.msg=Abyste mohli tuto nabídku využít, musíte vložit {0}.\n\nČástka je součtem:\n{1} - Vaší kauce: {2}\n- Obchodního poplatku: {3}\n- Celkového poplatku za těžbu: {4}\n\nPři financování obchodu si můžete vybrat ze dvou možností:\n- Použijte svou peněženku Bisq (pohodlné, ale transakce mohou být propojitelné) NEBO\n- Platba z externí peněženky (potenciálně více soukromé)\n\nPo uzavření tohoto vyskakovacího okna se zobrazí všechny možnosti a podrobnosti financování.
|
||||
takeOffer.alreadyPaidInFunds=Pokud jste již prostředky zaplatili, můžete je vybrat na obrazovce \"Prostředky/Odeslat prostředky\".
|
||||
takeOffer.paymentInfo=Informace o platbě
|
||||
|
@ -541,13 +548,15 @@ portfolio.tab.history=Historie
|
|||
portfolio.tab.failed=Selhalo
|
||||
portfolio.tab.editOpenOffer=Upravit nabídku
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=Došlo k problému s chybějící nebo neplatnou transakcí.\n\nProsím neposílejte fiat nebo altcoin platby. Požádejte vývojáře Bisq na Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance\n\nChybová zpráva: {0}
|
||||
portfolio.closedTrades.deviation.help=Procentuální odchylka od tržní ceny
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=Došlo k problému s chybějící nebo neplatnou transakcí.\n\nProsím neposílejte fiat nebo altcoin platby. Požádejte o asistenci vývojáře Bisq na Keybase [HYPERLINK:https://keybase.io/team/bisq] nebo na fóru [HYPERLINK:https://bisq.community].\n\nChybová zpráva: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Počkejte na potvrzení na blockchainu
|
||||
portfolio.pending.step2_buyer.startPayment=Zahajte platbu
|
||||
portfolio.pending.step2_seller.waitPaymentStarted=Počkejte, než začne platba
|
||||
portfolio.pending.step3_buyer.waitPaymentArrived=Počkejte, než dorazí platba
|
||||
portfolio.pending.step3_seller.confirmPaymentReceived=Potvrzující platba přijata
|
||||
portfolio.pending.step3_seller.confirmPaymentReceived=Potvrďte přijetí platby
|
||||
portfolio.pending.step5.completed=Hotovo
|
||||
|
||||
portfolio.pending.step3_seller.autoConf.status.label=Stav automat. potvrzení
|
||||
|
@ -598,7 +607,7 @@ portfolio.pending.step2_buyer.fees=Pokud vaše banka účtuje poplatky, musíte
|
|||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.altcoin=Převeďte prosím z vaší externí {0} peněženky\n{1} prodejci BTC.\n\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.cash=Přejděte do banky a zaplatte {0} prodejci BTC.\n\n
|
||||
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.
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.moneyGram=Zaplaťte prosím {0} prodejci BTC pomocí MoneyGram.\n\n
|
||||
|
@ -612,7 +621,7 @@ portfolio.pending.step2_buyer.amazonGiftCard=Kupte si na svém účtu Amazon kar
|
|||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.postal=Zašlete prosím {0} prodejci BTC pomocí \"US Postal Money Order\".\n\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.bank=Přejděte na webovou stránku online bankovnictví a zaplatte {0} prodejci BTC.\n\n
|
||||
portfolio.pending.step2_buyer.bank=Přejděte na webovou stránku online bankovnictví a zaplaťte {0} prodejci BTC.\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.startPaymentUsing=Zahajte platbu pomocí {0}
|
||||
|
@ -646,7 +655,7 @@ portfolio.pending.step2_seller.warn=Kupující BTC dosud neprovedl platbu {0}.\n
|
|||
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.
|
||||
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 nahlašte 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 Bisq (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.
|
||||
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 Bisq (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.
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
message.state.UNDEFINED=Nedefinováno
|
||||
|
@ -666,7 +675,7 @@ portfolio.pending.step3_buyer.wait.info=Čekání na potvrzení prodejce BTC na
|
|||
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.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.
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step3_seller.part=Váš obchodní partner potvrdil, že zahájil platbu {0}.\n\n
|
||||
|
@ -695,7 +704,7 @@ 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.altcoin=Podívejte se na potvrzení na blockchainu ve své alltcoin peněžence nebo v blok exploreru a potvrďte platbu, pokud máte dostatečné potvrzení na blockchainu.
|
||||
portfolio.pending.step3_seller.buyerStartedPayment.altcoin=Podívejte se na potvrzení na blockchainu ve své altcoin peněžence nebo v blok exploreru a potvrďte platbu, pokud máte dostatečné potvrzení na blockchainu.
|
||||
portfolio.pending.step3_seller.buyerStartedPayment.fiat=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
|
||||
portfolio.pending.step3_seller.warn.part1b=u vašeho poskytovatele plateb (např. banky)
|
||||
|
@ -706,7 +715,7 @@ portfolio.pending.step3_seller.onPaymentReceived.part1=Obdrželi jste od svého
|
|||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step3_seller.onPaymentReceived.fiat=ID obchodní (\"důvod platby\" text) transakce je: \"{0}\"\n\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step3_seller.onPaymentReceived.name=Ověřte také, zda se jméno odesílatele uvedené v obchodní smlouvě shoduje s 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
|
||||
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, bude uzamčená částka obchodu vrácena kupujícímu BTC a záloha bude vrácena.\n\n
|
||||
portfolio.pending.step3_seller.onPaymentReceived.confirm.headline=Potvrďte, že jste obdržel(a) platbu
|
||||
|
@ -789,7 +798,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=Zpožděná výplatní transakce chybí, ale prostředky byly uzamčeny v vkladové transakci.\n\nNezasílejte prosím fiat nebo altcoin platbu prodejci BTC, protože bez zpožděné platby tx nelze zahájit arbitráž. Místo toho otevřete mediační úkol pomocí Cmd/Ctrl+o. Mediátorl 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=Zpožděná výplatní transakce chybí, ale prostředky byly uzamčeny v vkladové transakci.\n\nNezasílejte prosím fiat nebo altcoin platbu prodejci BTC, protože bez zpožděné 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=Zpožděná výplatní transakce chybí, ale prostředky byly v depozitní transakci uzamčeny.\n\nPokud kupujícímu chybí také zpožděná 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ů Bisq.\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]
|
||||
|
@ -801,9 +810,9 @@ portfolio.pending.failedTrade.warningIcon.tooltip=Kliknutím otevřete podrobnos
|
|||
portfolio.failed.revertToPending.popup=Chcete přesunout tento obchod do otevřených obchodů?
|
||||
portfolio.failed.revertToPending=Přesunout obchod do otevřených obchodů
|
||||
|
||||
portfolio.closed.completed=Hotovo
|
||||
portfolio.closed.ticketClosed=Rozhodovaný
|
||||
portfolio.closed.mediationTicketClosed=Mediovaný
|
||||
portfolio.closed.completed=Dokončeno
|
||||
portfolio.closed.ticketClosed=Rozhodnuto
|
||||
portfolio.closed.mediationTicketClosed=Mediováno
|
||||
portfolio.closed.canceled=Zrušeno
|
||||
portfolio.failed.Failed=Selhalo
|
||||
portfolio.failed.unfail=Před pokračováním se ujistěte, že máte zálohu vašeho datového adresáře!\nChcete tento obchod přesunout zpět do otevřených obchodů?\nJe to způsob, jak odemknout finanční prostředky uvízlé v neúspěšném obchodu.
|
||||
|
@ -864,12 +873,12 @@ funds.locked.noFunds=V obchodech nejsou zamčeny žádné prostředky
|
|||
funds.locked.locked=Uzamčeno v multisig adrese pro obchodování s ID: {0}
|
||||
|
||||
funds.tx.direction.sentTo=Odesláno na:
|
||||
funds.tx.direction.receivedWith=Přijato s:
|
||||
funds.tx.direction.receivedWith=Přijato z:
|
||||
funds.tx.direction.genesisTx=Z Genesis tx:
|
||||
funds.tx.txFeePaymentForBsqTx=Poplatek za těžbu za BSQ tx
|
||||
funds.tx.createOfferFee=Poplatky tvůrce a tx: {0}
|
||||
funds.tx.takeOfferFee=Poplatky příjemce a tx: {0}
|
||||
funds.tx.multiSigDeposit=Vlkad na multisig adresu: {0}
|
||||
funds.tx.multiSigDeposit=Vklad na multisig adresu: {0}
|
||||
funds.tx.multiSigPayout=Výběr z multisig adresy: {0}
|
||||
funds.tx.disputePayout=Výběr ze sporu: {0}
|
||||
funds.tx.disputeLost=Prohraných sporů: {0}
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Není k dispozici žádná transakce
|
|||
funds.tx.revert=Vrátit
|
||||
funds.tx.txSent=Transakce byla úspěšně odeslána na novou adresu v lokální peněžence Bisq.
|
||||
funds.tx.direction.self=Poslat sobě
|
||||
funds.tx.daoTxFee=Poplatek za těžbu za DAO tx
|
||||
funds.tx.daoTxFee=Poplatek za těžbu za BSQ tx
|
||||
funds.tx.reimbursementRequestTxFee=Žádost o vyrovnání
|
||||
funds.tx.compensationRequestTxFee=Žádost o odškodnění
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -900,13 +908,13 @@ funds.tx.dustAttackTx.popup=Tato transakce odesílá do vaší peněženky velmi
|
|||
support.tab.mediation.support=Mediace
|
||||
support.tab.arbitration.support=Arbitráž
|
||||
support.tab.legacyArbitration.support=Starší arbitráž
|
||||
support.tab.ArbitratorsSupportTickets={0} úkoly
|
||||
support.tab.ArbitratorsSupportTickets=Úkoly pro {0}
|
||||
support.filter=Hledat spory
|
||||
support.filter.prompt=Zadejte ID obchodu, datum, onion adresu nebo údaje o účtu
|
||||
|
||||
support.sigCheck.button=Ověřít výsledek
|
||||
support.sigCheck.button=Ověřit výsledek
|
||||
support.sigCheck.popup.info=V případě žádosti o vrácení peněz DAO musíte vložit souhrnnou zprávu procesu zprostředkování a rozhodčího řízení do své žádosti o vrácení peněz na Githubu. Aby bylo toto prohlášení ověřitelné, může každý uživatel pomocí tohoto nástroje zkontrolovat, zda se podpis mediátora nebo rozhodce shoduje se souhrnnou zprávou.
|
||||
support.sigCheck.popup.header=Ověřít podpis výsledku sporu
|
||||
support.sigCheck.popup.header=Ověřit podpis výsledku sporu
|
||||
support.sigCheck.popup.msg.label=Souhrnná zpráva
|
||||
support.sigCheck.popup.msg.prompt=Zkopírovat a vložit souhrnnou zprávu ze sporu
|
||||
support.sigCheck.popup.result=Výsledek ověření
|
||||
|
@ -938,7 +946,7 @@ support.closeTicket=Zavřít úkol
|
|||
support.attachments=Přílohy:
|
||||
support.savedInMailbox=Zpráva uložena ve schránce příjemce
|
||||
support.arrived=Zpráva dorazila k příjemci
|
||||
support.acknowledged=Příjetí zprávy potvrzeno příjemcem
|
||||
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
|
||||
|
@ -972,7 +980,7 @@ support.warning.disputesWithInvalidDonationAddress.refundAgent=\n\nVýplatu nesm
|
|||
####################################################################
|
||||
settings.tab.preferences=Preference
|
||||
settings.tab.network=Informace o síti
|
||||
settings.tab.about=O
|
||||
settings.tab.about=O Bisq
|
||||
|
||||
setting.preferences.general=Základní nastavení
|
||||
setting.preferences.explorer=Bitcoin Explorer
|
||||
|
@ -984,7 +992,7 @@ 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.autoConfirmServiceAddresses=Monero Explorer URL (používá Tor, kromě localhost, LAN IP adres a * .local hostname)
|
||||
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)
|
||||
setting.preferences.useCustomValue=Použijte vlastní hodnotu
|
||||
|
@ -1006,11 +1014,11 @@ setting.preferences.showOwnOffers=Zobrazit mé vlastní nabídky v seznamu nabí
|
|||
setting.preferences.useAnimations=Použít animace
|
||||
setting.preferences.useDarkMode=Použít tmavý režim
|
||||
setting.preferences.sortWithNumOffers=Seřadit seznamy trhů s počtem nabídek/obchodů
|
||||
setting.preferences.resetAllFlags=Obnovit všechny příznaky \"Nezobrazovat znovu\"
|
||||
setting.preferences.resetAllFlags=Zrušit všechny "Nezobrazovat znovu"
|
||||
settings.preferences.languageChange=Chcete-li použít změnu jazyka na všech obrazovkách, musíte restartovat aplikaci.
|
||||
settings.preferences.supportLanguageWarning=V případě sporu mějte na paměti, že zprostředkování je řešeno v {0} a arbitráž v {1}.
|
||||
setting.preferences.daoOptions=Možnosti DAO
|
||||
setting.preferences.dao.resyncFromGenesis.label=Znovu obnovit stav DAO z genesis tx
|
||||
setting.preferences.dao.resyncFromGenesis.label=Obnovit stav DAO z genesis tx
|
||||
setting.preferences.dao.resyncFromResources.label=Obnovit stav DAO ze zdrojů
|
||||
setting.preferences.dao.resyncFromResources.popup=Po restartu aplikace budou data správy sítě Bisq znovu načtena z počátečních uzlů a stav konsensu BSQ bude znovu vytvořen z nejnovějších zdrojů.
|
||||
setting.preferences.dao.resyncFromGenesis.popup=Resynchronizace z genesis transakce může stát značné množství času a prostředků CPU. Opravdu to chcete udělat? Většinou je resynchronizace z nejnovějších zdrojových souborů dostatečná a mnohem rychlejší.\n\nPokud budete pokračovat, po restartu aplikace budou data správy sítě Bisq znovu načtena z počátečních uzlů a stav konsensu BSQ bude znovu vytvořen z genesis transakce.
|
||||
|
@ -1043,7 +1051,7 @@ settings.net.useCustomNodesRadio=Použijte vlastní Bitcoin Core node
|
|||
settings.net.warn.usePublicNodes=Používáte-li veřejnou bitcoinovou síť, jste vystaveni závažnému problému s ochranou soukromí způsobenému porušením návrhu a implementace bloom filtru, který se používá pro peněženky SPV, jako je BitcoinJ (použitý v Bisq). Každý full node, ke kterému jste připojeni, mohl zjistit, že všechny vaše adresy peněženky patří jedné entitě.\n\nPřečtěte si více o podrobnostech na adrese: [HYPERLINK:https://bisq.network/blog/privacy-in-bitsquare].\n\nOpravdu 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.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.localhostBtcNodeInfo=Základní informace: Bisq při spuštění hledá místní Bitcoinový uzel. Pokud je nalezen, Bisq bude komunikovat se sítí Bitcoin výhradně skrze něj.
|
||||
settings.net.p2PPeersLabel=Připojené uzly
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Roundtrip
|
||||
settings.net.sentBytesColumn=Odesláno
|
||||
settings.net.receivedBytesColumn=Přijato
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peer: {1}
|
||||
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ý)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=příchozí
|
|||
settings.net.outbound=odchozí
|
||||
settings.net.reSyncSPVChainLabel=Znovu synchronizovat SPV řetěz
|
||||
settings.net.reSyncSPVChainButton=Odstraňte soubor SPV a znovu synchronizujte
|
||||
settings.net.reSyncSPVSuccess=Při dalším spuštění bude smazán řetězový soubor SPV. Nyní je třeba aplikaci restartovat.\n\nPo restartu může chvíli trvat, než se znovu synchronizuje se sítí, a všechny transakce uvidíte až po dokončení resynchronizace.\n\nV závislosti na počtu transakcí a stáří vaší peněženky může resynchronizace trvat až několik hodin a spotřebovávat 100% CPU. Proces nepřerušujte, jinak jej musíte opakovat.
|
||||
settings.net.reSyncSPVSuccess=Opravdu chcete provést synchronizaci SPV? Pokud budete pokračovat, soubor řetězce SPV bude při příštím spuštění smazán.\n\nPo restartu může chvíli trvat, než se znovu provede synchronizuje se sítí a všechny transakce se zobrazí až po dokončení synchronizace.\n\nV závislosti na počtu transakcí a stáří vaší peněženky může resynchronizace trvat až několik hodin a spotřebuje 100% CPU. Nepřerušujte proces, jinak ho budete muset opakovat.
|
||||
settings.net.reSyncSPVAfterRestart=Soubor řetězu SPV byl odstraněn. Prosím, buďte trpěliví. Resynchronizace se sítí může chvíli trvat.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=Resynchronizace je nyní dokončena. Restartujte aplikaci.
|
||||
settings.net.reSyncSPVFailed=Nelze odstranit soubor řetězce SPV.\nChyba: {0}
|
||||
|
@ -1155,15 +1165,25 @@ account.tab.mediatorRegistration=Registrace mediátora
|
|||
account.tab.refundAgentRegistration=Registrace agenta vrácení peněz
|
||||
account.tab.signing=Podepisování
|
||||
account.info.headline=Vítejte ve vašem účtu Bisq
|
||||
account.info.msg=Zde můžete přidat obchodní účty pro národní měny & altcoiny a vytvořit zálohu dat vaší peněženky a účtu.\n\nPři prvním spuštění Bisq 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 Bisq je decentralizovaná smená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 altcoinů 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í peer uzel).
|
||||
account.info.msg=Zde můžete přidat obchodní účty pro národní měny & altcoiny a vytvořit zálohu dat vaší peněženky a účtu.\n\nPři prvním spuštění Bisq 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 Bisq 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 altcoinů 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í peer uzel).
|
||||
|
||||
account.menu.paymentAccount=Účty v národní měně
|
||||
account.menu.altCoinsAccountView=Altcoinové účty
|
||||
account.menu.password=Heslo peněženky
|
||||
account.menu.seedWords=Seed peněženky
|
||||
account.menu.walletInfo=Wallet info
|
||||
account.menu.backup=Záloha
|
||||
account.menu.notifications=Oznámení
|
||||
|
||||
account.menu.walletInfo.balance.headLine=Wallet balances
|
||||
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Veřejný klíč
|
||||
|
||||
|
@ -1181,15 +1201,15 @@ account.altcoin.yourAltcoinAccounts=Vaše altcoinové účty
|
|||
account.altcoin.popup.wallet.msg=Ujistěte se, že dodržujete požadavky na používání peněženek {0}, jak je popsáno na webové stránce {1}.\nPoužití peněženek z centralizovaných směnáren, kde (a) nevlastníte své privátní klíče nebo (b) které nepoužívají kompatibilní software peněženky, je riskantní: může to vést ke ztrátě obchodovaných prostředků!\nMediátor nebo rozhodce není specialista {2} a v takových případech nemůže pomoci.
|
||||
account.altcoin.popup.wallet.confirm=Rozumím a potvrzuji, že vím, jakou peněženku musím použít.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.upx.msg=Obchodování s UPX na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání UPX musíte použít buď oficiální peněženku GUI uPlexa nebo CLI peněženku uPlexa s povoleným příznakem store-tx-info (výchozí hodnota v nových verzích). Ujistěte se, že máte přístup k klíči tx, který může být vyžadován v případě sporu.\nuplexa-wallet-cli (použijte příkaz get_tx_key)\nuplexa-wallet-gui (přejděte na záložku historie a pro potvrzení platby klikněte na tlačítko (P))\n\nV normálním block exploreru není přenos ověřitelný.\n\nV případě sporu musíte rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresa příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke prohrání sporu. Odesílatel UPX odpovídá za zajištění ověření přenosu UPX rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, vyhledejte další informace na discord kanálu uPlexa (https://discord.gg/vhdNSrV) nebo uPlexa Telegram Chatu (https://t.me/uplexaOfficial).
|
||||
account.altcoin.popup.upx.msg=Obchodování s UPX na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání UPX musíte použít buď oficiální peněženku GUI uPlexa nebo CLI peněženku uPlexa s povoleným příznakem store-tx-info (výchozí hodnota v nových verzích). Ujistěte se, že máte přístup ke klíči tx, který může být vyžadován v případě sporu.\nuplexa-wallet-cli (použijte příkaz get_tx_key)\nuplexa-wallet-gui (přejděte na záložku historie a pro potvrzení platby klikněte na tlačítko (P))\n\nV normálním block exploreru není přenos ověřitelný.\n\nV případě sporu musíte rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresa příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke prohrání sporu. Odesílatel UPX odpovídá za zajištění ověření přenosu UPX rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, vyhledejte další informace na discord kanálu uPlexa (https://discord.gg/vhdNSrV) nebo uPlexa Telegram Chatu (https://t.me/uplexaOfficial).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.arq.msg=Obchodování ARQ na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání ARQ musíte použít buď oficiální peněženku ArQmA GUI nebo peněženku ArQmA CLI s povoleným příznakem store-tx-info (výchozí hodnota v nových verzích). Ujistěte se, že máte přístup k klíči tx, který může být vyžadován v případě sporu.\narqma-wallet-cli (použijte příkaz get_tx_key)\narqma-wallet-gui (přejděte na kartu historie a pro potvrzení platby klikněte na tlačítko (P))\n\nV normálním blok exploreru není přenos ověřitelný.\n\nV případě sporu musíte mediátorovi nebo rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresu příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke prohrání sporu. Odesílatel ARQ odpovídá za zajištění ověření převodu ARQ mediátorovi nebo rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, navštivte discord kanál ArQmA (https://discord.gg/s9BQpJT) nebo fórum ArQmA (https://labs.arqma.com).
|
||||
account.altcoin.popup.arq.msg=Obchodování ARQ na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání ARQ musíte použít buď oficiální peněženku ArQmA GUI nebo peněženku ArQmA CLI s povoleným příznakem store-tx-info (výchozí hodnota v nových verzích). Ujistěte se, že máte přístup ke klíči tx, který může být vyžadován v případě sporu.\narqma-wallet-cli (použijte příkaz get_tx_key)\narqma-wallet-gui (přejděte na kartu historie a pro potvrzení platby klikněte na tlačítko (P))\n\nV normálním blok exploreru není přenos ověřitelný.\n\nV případě sporu musíte mediátorovi nebo rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresu příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke prohrání sporu. Odesílatel ARQ odpovídá za zajištění ověření převodu ARQ mediátorovi nebo rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, navštivte discord kanál ArQmA (https://discord.gg/s9BQpJT) nebo fórum ArQmA (https://labs.arqma.com).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.xmr.msg=Obchodování s XMR na Bisq vyžaduje, abyste pochopili následující požadavek.\n\nPokud prodáváte XMR, musíte být schopni v případě sporu poskytnout mediátorovi nebo rozhodci následující informace:\n- transakční klíč (Tx klíč, Tx tajný klíč nebo Tx soukromý klíč)\n- ID transakce (Tx ID nebo Tx Hash)\n- cílová adresa (adresa příjemce)\n\nNa wiki najdete podrobnosti, kde najdete tyto informace v populárních peněženkách Monero:\n[HYPERLINK:https://bisq.wiki/Trading_Monero#Proving_payments].\n\nNeposkytnutí požadovaných údajů o transakci bude mít za následek ztrátu sporů.\n\nVšimněte si také, že Bisq nyní nabízí automatické potvrzení transakcí XMR, aby byly obchody rychlejší, ale musíte to povolit v Nastavení.\n\nDalší informace o funkci automatického potvrzení najdete na wiki:\n[HYPERLINK:https://bisq.wiki/Trading_Monero#Auto-confirming_trades].
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.msr.msg=Obchodování MSR na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání MSR musíte použít buď oficiální peněženku Masari GUI, peněženku Masari CLI s povoleným příznakem store-tx-info (ve výchozím nastavení povoleno) nebo webovou peněženku Masari (https://wallet.getmasari.org). Ujistěte se, že máte přístup k klíči tx, který může být vyžadován v případě sporu.\nmasari-wallet-cli (použijte příkaz get_tx_key)\nmasari-wallet-gui (přejděte na kartu historie a klikněte na tlačítko (P) pro potvrzení platby)\n\nWebová peněženka Masari (jděte do Účet -> Historie transakcí a zobrazte podrobností o odeslané transakci)\n\nOvěření lze provést v peněžence.\nmasari-wallet-cli: pomocí příkazu (check_tx_key).\nmasari-wallet-gui: na stránce Pokročilé > Dokázat/Ověřit.\nOvěření lze provést v block exploreru\nOtevřete Block explorer (https://explorer.getmasari.org), použijte vyhledávací lištu k nalezení hash transakce.\nJakmile je transakce nalezena, přejděte dolů do oblasti „Prokázat odesílání“ a podle potřeby vyplňte podrobnosti.\nV případě sporu musíte zprostředkovateli nebo rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresu příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke ztrátě sporu. Odesílatel MSR odpovídá za zajištění ověření přenosu MSR mediátorovi nebo rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, požádejte o pomoc oficiální Masari Discord (https://discord.gg/sMCwMqs).
|
||||
account.altcoin.popup.msr.msg=Obchodování MSR na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání MSR musíte použít buď oficiální peněženku Masari GUI, peněženku Masari CLI s povoleným příznakem store-tx-info (ve výchozím nastavení povoleno) nebo webovou peněženku Masari (https://wallet.getmasari.org). Ujistěte se, že máte přístup ke klíči tx, který může být vyžadován v případě sporu.\nmasari-wallet-cli (použijte příkaz get_tx_key)\nmasari-wallet-gui (přejděte na kartu historie a klikněte na tlačítko (P) pro potvrzení platby)\n\nWebová peněženka Masari (jděte do Účet -> Historie transakcí a zobrazte podrobností o odeslané transakci)\n\nOvěření lze provést v peněžence.\nmasari-wallet-cli: pomocí příkazu (check_tx_key).\nmasari-wallet-gui: na stránce Pokročilé > Dokázat/Ověřit.\nOvěření lze provést v block exploreru\nOtevřete Block explorer (https://explorer.getmasari.org), použijte vyhledávací lištu k nalezení hash transakce.\nJakmile je transakce nalezena, přejděte dolů do oblasti „Prokázat odesílání“ a podle potřeby vyplňte podrobnosti.\nV případě sporu musíte zprostředkovateli nebo rozhodci poskytnout následující údaje:\n- Soukromý klíč tx\n- Hash transakce\n- Veřejnou adresu příjemce\n\nPokud neposkytnete výše uvedená data nebo použijete nekompatibilní peněženku, dojde ke ztrátě sporu. Odesílatel MSR odpovídá za zajištění ověření přenosu MSR mediátorovi nebo rozhodci v případě sporu.\n\nNení požadováno žádné platební ID, pouze normální veřejná adresa.\nPokud si nejste jisti tímto procesem, požádejte o pomoc oficiální Masari Discord (https://discord.gg/sMCwMqs).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.blur.msg=Obchodování BLUR na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání BLUR musíte použít Blur Network CLI nebo GUI peněženku.\n\nPoužíváte-li peněženku CLI, po odeslání transakce se zobrazí hash transakce (tx ID). Tyto informace si musíte uložit. Ihned po odeslání tranakce musíte použít příkaz 'get_tx_key' pro načtení soukromého klíče transakce. Pokud tento krok neprovedete, pravděpodobně nebudete moci klíč získat později.\n\nPokud používáte peněženku GUI Blur Network, lze soukromý klíč transakce a ID transakce pohodlně nalézt na kartě Historie. Ihned po odeslání vyhledejte příslušnou transakci. Klikněte na "?" symbol v pravém dolním rohu pole obsahující transakci. Tyto informace si musíte uložit.\n\nV případě, že je nutné rozhodčí řízení, musíte mediátorovi nebo rozhodci předložit následující: 1.) ID transakce, 2.) soukromý klíč transakce a 3.) Adresu příjemce. Mediátor nebo rozhodce poté ověří přenos BLUR pomocí prohlížeče BLUR transakcí (https://blur.cash/#tx-viewer).\n\nNeposkytnutí požadovaných informací mediátorovi nebo rozhodci povede k prohrání sporu. Ve všech sporných případech nese odesílatel BLUR 100% odpovědnosti za ověřování transakcí mediátorovi nebo rozhodci.\n\nPokud těmto požadavkům nerozumíte, neobchodujte na Bisq. Nejprve vyhledejte pomoc na Blur Network Discord (https://discord.gg/dMWaqVW).
|
||||
account.altcoin.popup.blur.msg=Obchodování BLUR na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání BLUR musíte použít Blur Network CLI nebo GUI peněženku.\n\nPoužíváte-li peněženku CLI, po odeslání transakce se zobrazí hash transakce (tx ID). Tyto informace si musíte uložit. Ihned po odeslání transakce musíte použít příkaz 'get_tx_key' pro načtení soukromého klíče transakce. Pokud tento krok neprovedete, pravděpodobně nebudete moci klíč získat později.\n\nPokud používáte peněženku GUI Blur Network, lze soukromý klíč transakce a ID transakce pohodlně nalézt na kartě Historie. Ihned po odeslání vyhledejte příslušnou transakci. Klikněte na "?" symbol v pravém dolním rohu pole obsahující transakci. Tyto informace si musíte uložit.\n\nV případě, že je nutné rozhodčí řízení, musíte mediátorovi nebo rozhodci předložit následující: 1.) ID transakce, 2.) soukromý klíč transakce a 3.) Adresu příjemce. Mediátor nebo rozhodce poté ověří přenos BLUR pomocí prohlížeče BLUR transakcí (https://blur.cash/#tx-viewer).\n\nNeposkytnutí požadovaných informací mediátorovi nebo rozhodci povede k prohrání sporu. Ve všech sporných případech nese odesílatel BLUR 100% odpovědnosti za ověřování transakcí mediátorovi nebo rozhodci.\n\nPokud těmto požadavkům nerozumíte, neobchodujte na Bisq. Nejprve vyhledejte pomoc na Blur Network Discord (https://discord.gg/dMWaqVW).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.solo.msg=Obchodování Solo na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání Solo musíte použít peněženku CLI Solo Network.\n\nPoužíváte-li peněženku CLI, po odeslání přenosu se zobrazí hash transakce (tx ID). Tyto informace si musíte uložit. Ihned po odeslání převodu musíte použít příkaz 'get_tx_key' pro načtení soukromého klíče transakce. Pokud tento krok neprovedete, pravděpodobně nebudete moci klíč získat později.\n\nV případě, že je nutné rozhodčí řízení, musíte mediátorovi nebo rozhodci předložit následující: 1.) ID transakce, 2.) Soukromý klíč transakce a 3.) Adresu příjemce. Mediátor nebo rozhodce poté ověří převod Solo pomocí Solo Block Exploreru vyhledáním transakce a poté pomocí funkce „Prokažte odesílání“ (https://explorer.minesolo.com/).\n\nneposkytnutí požadovaných informací mediátorovi nebo rozhodci povede k prohrání sporu. Ve všech sporných případech nese Solo odesílatel 100% odpovědnost za ověřování transakcí mediátorovi nebo rozhodci.\n\nPokud těmto požadavkům nerozumíte, neobchodujte na Bisq. Nejprve vyhledejte pomoc na stránce Solo Network Discord (https://discord.minesolo.com/).
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -1207,13 +1227,13 @@ account.altcoin.popup.grin.msg=GRIN vyžaduje k vytvoření transakce interaktiv
|
|||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.beam.msg=BEAM vyžaduje k vytvoření transakce interaktivní proces mezi odesílatelem a příjemcem.\n\nNezapomeňte postupovat podle pokynů na webové stránce projektu BEAM, abyste spolehlivě odeslali a přijali BEAM (příjemce musí být online nebo alespoň online během určitého časového období).\n\nOdesílatel BEAM je povinen prokázat, že úspěšně odeslali BEAM. Nezapomeňte použít software peněženku, která může takový důkaz předložit. Pokud peněženka nemůže poskytnout důkaz, bude potenciální spor vyřešen ve prospěch příjemce BEAM.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.pars.msg=Trading ParsiCoin na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání PARS musíte použít oficiální ParsiCoin peněženku verze 3.0.0 nebo vyšší.\n\nV Peněženka GUI (ParsiPay) si můžete zkontrolovat svůj Hash Transakce a Klíč Transakce on Transactions v sekci Transakce.\n\nV případě, že je nutné rozhodčí řízení, musíte mediátorovi nebo rozhodci předložit: 1) Hash Transakce, 2) Transakční Klíč a 3) Adresu PARS příjemce. Mediátor nebo rozhodce poté ověří přenos PARS pomocí Block exploreru ParsiCoin (http://explorer.parsicoin.net/#check_payment).\n\nNeposkytnutí požadovaných informací mediátorovi nebo rozhodci povede k prohrání sporu. Ve všech sporných případech nese odesílatel ParsiCoin 100% odpovědnost za ověřování transakcí mediátorovi nebo rozhodci.\n\nPokud těmto požadavkům nerozumíte, neobchodujte na Bisq. Nejprve vyhledejte pomoc na ParsiCoin Discord (https://discord.gg/c7qmFNh).
|
||||
account.altcoin.popup.pars.msg=Trading ParsiCoin na Bisq vyžaduje, abyste pochopili a splnili následující požadavky:\n\nK odeslání PARS musíte použít oficiální ParsiCoin peněženku verze 3.0.0 nebo vyšší.\n\nV Peněženka GUI (ParsiPay) si můžete zkontrolovat svůj Hash Transakce a Klíč Transakce v sekci Transakce.\n\nV případě, že je nutné rozhodčí řízení, musíte mediátorovi nebo rozhodci předložit: 1) Hash Transakce, 2) Transakční Klíč a 3) Adresu PARS příjemce. Mediátor nebo rozhodce poté ověří přenos PARS pomocí Block exploreru ParsiCoin (http://explorer.parsicoin.net/#check_payment).\n\nNeposkytnutí požadovaných informací mediátorovi nebo rozhodci povede k prohrání sporu. Ve všech sporných případech nese odesílatel ParsiCoin 100% odpovědnost za ověřování transakcí mediátorovi nebo rozhodci.\n\nPokud těmto požadavkům nerozumíte, neobchodujte na Bisq. Nejprve vyhledejte pomoc na ParsiCoin Discord (https://discord.gg/c7qmFNh).
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.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 Bisq, 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.altcoin.popup.liquidbitcoin.msg=Obchodování s L-BTC na Bisq vyžaduje, abyste pochopili následující skutečnosti:\n\nKdyž přijímáte L-BTC za obchod na Bisq, nemůžete použít mobilní peněženku Green od Blockstreamu ani jinou custidial 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 Bisq 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 Bisq.
|
||||
account.altcoin.popup.liquidbitcoin.msg=Obchodování s L-BTC na Bisq vyžaduje, abyste pochopili následující skutečnosti:\n\nKdyž přijímáte L-BTC za obchod na Bisq, 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 Bisq 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 Bisq.
|
||||
|
||||
account.fiat.yourFiatAccounts=Vaše účty v národní měně
|
||||
|
||||
|
@ -1312,11 +1332,11 @@ dao.tab.factsAndFigures=Fakta & Čísla
|
|||
dao.tab.bsqWallet=Peněženka BSQ
|
||||
dao.tab.proposals=Vláda
|
||||
dao.tab.bonding=Upisování
|
||||
dao.tab.proofOfBurn=Poplatek za výpis majetku/Důkaz o spálení
|
||||
dao.tab.proofOfBurn=Poplatek za vedení aktiva/Důkaz spálení
|
||||
dao.tab.monitor=Sledování sítě
|
||||
dao.tab.news=Novinky
|
||||
|
||||
dao.paidWithBsq=zaplaceno BSQ
|
||||
dao.paidWithBsq=zaplacen BSQ
|
||||
dao.availableBsqBalance=K dispozici pro výdaje (ověřené + nepotvrzené drobné výstupy)
|
||||
dao.verifiedBsqBalance=Zůstatek všech ověřených UTXO
|
||||
dao.unconfirmedChangeBalance=Zůstatek všech nepotvrzených drobných výstupů
|
||||
|
@ -1324,11 +1344,11 @@ dao.unverifiedBsqBalance=Zůstatek všech neověřených transakcí (čeká se n
|
|||
dao.lockedForVoteBalance=Použito pro hlasování
|
||||
dao.lockedInBonds=Uzamčeno v úpisech
|
||||
dao.availableNonBsqBalance=Dostupný zůstatek mimo BSQ (BTC)
|
||||
dao.reputationBalance=Hodnota Meritů - (nedá se utratit)
|
||||
dao.reputationBalance=Body zásluhy (nedají se utratit)
|
||||
|
||||
dao.tx.published.success=Vaše transakce byla úspěšně zveřejněna.
|
||||
dao.proposal.menuItem.make=Navrhněte
|
||||
dao.proposal.menuItem.browse=Procházet otevřené návrhy
|
||||
dao.proposal.menuItem.make=Podat návrh
|
||||
dao.proposal.menuItem.browse=Otevřené návrhy
|
||||
dao.proposal.menuItem.vote=Hlasování o návrzích
|
||||
dao.proposal.menuItem.result=Výsledky hlasování
|
||||
dao.cycle.headline=Hlasovací cyklus
|
||||
|
@ -1343,8 +1363,8 @@ dao.cycle.voteResult=Výsledek hlasování
|
|||
dao.cycle.phaseDuration={0} bloky (≈{1}); Bloky {2} - {3} (≈{4} - ≈{5})
|
||||
dao.cycle.phaseDurationWithoutBlocks=Blok {0} - {1} (≈{2} - ≈{3})
|
||||
|
||||
dao.voteReveal.txPublished.headLine=Odhalené hlasování o transakci zveřejněno
|
||||
dao.voteReveal.txPublished=Vaše odhalené hlasování o transakci s ID transakce {0} bylo úspěšně zveřejněn.\n\nTo se stane automaticky pomocí softwaru, pokud jste se zúčastnili hlasování DAO.
|
||||
dao.voteReveal.txPublished.headLine=Transakce odhalující hlasování zveřejněna
|
||||
dao.voteReveal.txPublished=Vaše transakce odhalující hlasování s ID transakce {0} byla úspěšně zveřejněna.\n\nToto se provádí automaticky, pokud jste se zúčastnili hlasování DAO.
|
||||
|
||||
dao.results.cycles.header=Cykly
|
||||
dao.results.cycles.table.header.cycle=Cyklus
|
||||
|
@ -1360,7 +1380,7 @@ dao.results.proposals.table.header.details=Detaily
|
|||
dao.results.proposals.table.header.myVote=Můj hlas
|
||||
dao.results.proposals.table.header.result=Výsledek hlasování
|
||||
dao.results.proposals.table.header.threshold=Práh
|
||||
dao.results.proposals.table.header.quorum=Kvorum
|
||||
dao.results.proposals.table.header.quorum=Kvórum
|
||||
|
||||
dao.results.proposals.voting.detail.header=Výsledky hlasování pro vybraný návrh
|
||||
|
||||
|
@ -1407,15 +1427,15 @@ dao.param.QUORUM_GENERIC=Požadované kvórum v BSQ pro obecný návrh
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_COMP_REQUEST=Požadované kvórum v BSQ pro žádost o odškodnění
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_REIMBURSEMENT=Požadované kvorum v BSQ pro žádost o vyrovnání
|
||||
dao.param.QUORUM_REIMBURSEMENT=Požadované kvórum v BSQ pro žádost o vyrovnání
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_CHANGE_PARAM=Požadované kvorum v BSQ pro změnu parametru
|
||||
dao.param.QUORUM_CHANGE_PARAM=Požadované kvórum v BSQ pro změnu parametru
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_REMOVE_ASSET=Požadované kvórum v BSQ pro odebrání aktiva
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_CONFISCATION=Požadované kvórum v BSQ pro žádost o konfiskaci
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.QUORUM_ROLE=Požadované kvorum v BSQ pro žádost o upsání
|
||||
dao.param.QUORUM_ROLE=Požadované kvórum v BSQ pro žádost o upsání
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.THRESHOLD_GENERIC=Požadovaná prahová hodnota v % pro obecný návrh
|
||||
|
@ -1436,7 +1456,7 @@ dao.param.THRESHOLD_ROLE=Požadovaná prahová hodnota v % pro žádost o úpis
|
|||
dao.param.RECIPIENT_BTC_ADDRESS=BTC adresa příjemce
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.ASSET_LISTING_FEE_PER_DAY=Poplatek za výpis aktiv za den
|
||||
dao.param.ASSET_LISTING_FEE_PER_DAY=Poplatek za vedení aktiva za den
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.param.ASSET_MIN_VOLUME=Min. objem obchodu s aktivy
|
||||
|
||||
|
@ -1481,9 +1501,9 @@ dao.results.votes.table.header.stake=Vklad
|
|||
dao.results.votes.table.header.merit=Vyděláno
|
||||
dao.results.votes.table.header.vote=Hlas
|
||||
|
||||
dao.bond.menuItem.bondedRoles=Úpisy
|
||||
dao.bond.menuItem.reputation=Úpisová reputace
|
||||
dao.bond.menuItem.bonds=Úpisy
|
||||
dao.bond.menuItem.bondedRoles=Role s úpisy
|
||||
dao.bond.menuItem.reputation=Vaše úpisy
|
||||
dao.bond.menuItem.bonds=Všechny úpisy
|
||||
|
||||
dao.bond.dashboard.bondsHeadline=Upsané BSQ
|
||||
dao.bond.dashboard.lockupAmount=Zamknout prostředky
|
||||
|
@ -1504,8 +1524,8 @@ dao.bond.reputation.unlock.details=Odemknout částku: {0}\nČas odemknutí: {1}
|
|||
|
||||
dao.bond.allBonds.header=Všechny úpisy
|
||||
|
||||
dao.bond.bondedReputation=Úpisová reputace
|
||||
dao.bond.bondedRoles=Úpisy
|
||||
dao.bond.bondedReputation=Úpis reputace
|
||||
dao.bond.bondedRoles=Role s úpisy
|
||||
|
||||
dao.bond.details.header=Podrobnosti role
|
||||
dao.bond.details.role=Role
|
||||
|
@ -1519,7 +1539,7 @@ dao.bond.table.column.name=Jméno
|
|||
dao.bond.table.column.link=Odkaz
|
||||
dao.bond.table.column.bondType=Typ úpisu
|
||||
dao.bond.table.column.details=Detaily
|
||||
dao.bond.table.column.lockupTxId=Zamknout Tx ID
|
||||
dao.bond.table.column.lockupTxId=Tx ID úpisu
|
||||
dao.bond.table.column.bondState=Stav úpisu
|
||||
dao.bond.table.column.lockTime=Čas odemknutí
|
||||
dao.bond.table.column.lockupDate=Datum uzamčení
|
||||
|
@ -1543,7 +1563,7 @@ dao.bond.bondState.UNLOCK_TX_CONFIRMED=Odemknutí tx potvrzeno
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondState.UNLOCKING=Odblokování úpisů
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondState.UNLOCKED=Úpis odemčen
|
||||
dao.bond.bondState.UNLOCKED=Odemčený úpis
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondState.CONFISCATED=Úpis konfiskován
|
||||
|
||||
|
@ -1552,7 +1572,7 @@ dao.bond.lockupReason.UNDEFINED=Nedefinováno
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.lockupReason.BONDED_ROLE=Úpis
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.lockupReason.REPUTATION=Úpisová reputace
|
||||
dao.bond.lockupReason.REPUTATION=Úpis reputace
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondedRoleType.UNDEFINED=Nedefinováno
|
||||
|
@ -1575,7 +1595,7 @@ dao.bond.bondedRoleType.NETLAYER_MAINTAINER=Netlayer správce
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondedRoleType.WEBSITE_OPERATOR=Správce webu
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondedRoleType.FORUM_OPERATOR=Operator fóra
|
||||
dao.bond.bondedRoleType.FORUM_OPERATOR=Operátor fóra
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondedRoleType.SEED_NODE_OPERATOR=Operátor seed nodu
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -1599,10 +1619,10 @@ dao.bond.bondedRoleType.ARBITRATOR=Rozhodce
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.bond.bondedRoleType.BTC_DONATION_ADDRESS_OWNER=Majitel dárcovské adresy BTC
|
||||
|
||||
dao.burnBsq.assetFee=Výpis aktiv
|
||||
dao.burnBsq.menuItem.assetFee=Poplatek za výpis aktiv
|
||||
dao.burnBsq.menuItem.proofOfBurn=Důkaz spálením
|
||||
dao.burnBsq.header=Poplatek za výpis aktiv
|
||||
dao.burnBsq.assetFee=Vedení aktiva
|
||||
dao.burnBsq.menuItem.assetFee=Poplatek za vedení aktiva
|
||||
dao.burnBsq.menuItem.proofOfBurn=Důkaz spálení
|
||||
dao.burnBsq.header=Poplatek za vedení aktiva
|
||||
dao.burnBsq.selectAsset=Vybrat aktivum
|
||||
dao.burnBsq.fee=Poplatek
|
||||
dao.burnBsq.trialPeriod=Zkušební doba
|
||||
|
@ -1628,18 +1648,18 @@ dao.assetState.DE_LISTED=Odstranění ze seznamu kvůli nečinnosti
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.assetState.REMOVED_BY_VOTING=Odebráno hlasováním
|
||||
|
||||
dao.proofOfBurn.header=Důkaz spálením
|
||||
dao.proofOfBurn.header=Důkaz spálení
|
||||
dao.proofOfBurn.amount=Množství
|
||||
dao.proofOfBurn.preImage=Předobraz
|
||||
dao.proofOfBurn.preImage=Předloha
|
||||
dao.proofOfBurn.burn=Spálit
|
||||
dao.proofOfBurn.allTxs=Všechny důkazy o spálení transakcí
|
||||
dao.proofOfBurn.myItems=Můj důkaz o spálení transakcí
|
||||
dao.proofOfBurn.allTxs=Všechny transakce dokazující spálení
|
||||
dao.proofOfBurn.myItems=Moje důkazy spálení
|
||||
dao.proofOfBurn.date=Datum
|
||||
dao.proofOfBurn.hash=Hash
|
||||
dao.proofOfBurn.txs=Transakce
|
||||
dao.proofOfBurn.pubKey=Pubkey
|
||||
dao.proofOfBurn.signature.window.title=Podepište zprávu klíčem z důkazu o spálení transakce
|
||||
dao.proofOfBurn.verify.window.title=Ověřte zprávu pomocí klíče z důkazu o spálení transakce
|
||||
dao.proofOfBurn.signature.window.title=Podepište zprávu klíčem z transakce dokazující spálení
|
||||
dao.proofOfBurn.verify.window.title=Ověřte zprávu pomocí klíče z transakce dokazující spálení
|
||||
dao.proofOfBurn.copySig=Zkopírujte podpis do schránky
|
||||
dao.proofOfBurn.sign=Podepsat
|
||||
dao.proofOfBurn.message=Zpráva
|
||||
|
@ -1668,7 +1688,7 @@ dao.phase.RESULT=Hlasujte ve výsledné fázi
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.phase.separatedPhaseBar.PROPOSAL=Fáze návrhu
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.phase.separatedPhaseBar.BLIND_VOTE=Slepý hlas
|
||||
dao.phase.separatedPhaseBar.BLIND_VOTE=Slepé hlasování
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.phase.separatedPhaseBar.VOTE_REVEAL=Odhalit hlasování
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -1681,7 +1701,7 @@ dao.proposal.type.COMPENSATION_REQUEST=Žádost o odškodnění
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.REIMBURSEMENT_REQUEST=Žádost o vyrovnání
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.BONDED_ROLE=Źádost o úpis
|
||||
dao.proposal.type.BONDED_ROLE=Žádost o úpis
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.REMOVE_ASSET=Návrh na odstranění aktiva
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -1689,7 +1709,7 @@ dao.proposal.type.CHANGE_PARAM=Návrh na změnu parametru
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.GENERIC=Obecný návrh
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.CONFISCATE_BOND=Źádost o konfiskaci úpisu
|
||||
dao.proposal.type.CONFISCATE_BOND=Žádost o konfiskaci úpisu
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.proposal.type.short.UNDEFINED=Nedefinováno
|
||||
|
@ -1763,7 +1783,7 @@ dao.proposal.myVote.invalid=Hlasování bylo neplatné
|
|||
|
||||
dao.proposal.voteResult.success=Přijato
|
||||
dao.proposal.voteResult.failed=Odmítnuto
|
||||
dao.proposal.voteResult.summary=Výsledek: {0}; Prahová hodnota: {1} (požadováno > {2}); Kvórum: {3} (povinné > {4})
|
||||
dao.proposal.voteResult.summary=Výsledek: {0}; Prahová hodnota: {1} (požadováno > {2}); Kvórum: {3} (požadováno > {4})
|
||||
|
||||
dao.proposal.display.paramComboBox.label=Vyberte parametr, který chcete změnit
|
||||
dao.proposal.display.paramValue=Hodnota parametru
|
||||
|
@ -1777,7 +1797,7 @@ dao.blindVote.startPublishing=Publikování transakce se slepým hlasováním ..
|
|||
dao.blindVote.success=Vaše transakce se slepým hlasováním byla úspěšně zveřejněna.\n\nVezměte prosím na vědomí, že musíte být online ve fázi odhalení hlasování, aby vaše aplikace Bisq mohla zveřejnit transakci odhalení hlasování. Bez transakce odhalení hlasování by byl váš hlas neplatný!
|
||||
|
||||
dao.wallet.menuItem.send=Odeslat
|
||||
dao.wallet.menuItem.receive=Přijat
|
||||
dao.wallet.menuItem.receive=Přijmout
|
||||
dao.wallet.menuItem.transactions=Transakce
|
||||
|
||||
dao.wallet.dashboard.myBalance=Můj zůstatek v peněžence
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Vyplňte svou cílovou adresu
|
|||
dao.wallet.send.send=Pošlete BSQ prostředky
|
||||
dao.wallet.send.sendBtc=Pošlete BTC prostředky
|
||||
dao.wallet.send.sendFunds.headline=Potvrďte žádost o výběr
|
||||
dao.wallet.send.sendFunds.details=Odesílání: {0}\nNa přijímací adresu: {1}.\nPožadovaný transakční poplatek je: {2} ({3} satoshi/vbyte)\nTransakční vsize: {4} vKb\n\nPříjemce obdrží: {5}\n\nOpravdu chcete tuto částku vybrat?
|
||||
dao.wallet.send.sendFunds.details=Odesílání: {0}\nNa adresu pro příjem: {1}.\nPožadovaný poplatek za těžbu je: {2} ({3} satoshi/vbyte)\nVelikost transakce: {4} vKb\n\nPříjemce obdrží: {5}\n\nOpravdu chcete tuto částku vybrat?
|
||||
dao.wallet.chainHeightSynced=Poslední ověřený blok: {0}
|
||||
dao.wallet.chainHeightSyncing=Čekání na bloky... Ověřeno {0} bloků z {1}
|
||||
dao.wallet.tx.type=Typ
|
||||
|
@ -1834,9 +1854,9 @@ dao.tx.type.enum.LOCKUP=Zamknout úpis
|
|||
# suppress inspection "UnusedProperty"
|
||||
dao.tx.type.enum.UNLOCK=Odemknout úpis
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.tx.type.enum.ASSET_LISTING_FEE=Poplatek za výpis majetku
|
||||
dao.tx.type.enum.ASSET_LISTING_FEE=Poplatek za vedení aktiva
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.tx.type.enum.PROOF_OF_BURN=Důkaz spálením
|
||||
dao.tx.type.enum.PROOF_OF_BURN=Důkaz spálení
|
||||
# suppress inspection "UnusedProperty"
|
||||
dao.tx.type.enum.IRREGULAR=Nepravidelný
|
||||
|
||||
|
@ -1864,7 +1884,7 @@ dao.news.bisqDAO.readMoreLink=Dozvědět se více o Bisq DAO
|
|||
|
||||
dao.news.pastContribution.title=PŘISPĚLI JSTE V MINULOSTI? POŽÁDEJTE O BSQ
|
||||
dao.news.pastContribution.description=Pokud jste přispěli do projektu Bisq, použijte prosím níže uvedenou adresu BSQ a požádejte o účast na distribuci prvních BSQ.
|
||||
dao.news.pastContribution.yourAddress=Adresa vaší bsq peněženky
|
||||
dao.news.pastContribution.yourAddress=Adresa vaší BSQ peněženky
|
||||
dao.news.pastContribution.requestNow=Požádat hned
|
||||
|
||||
dao.news.DAOOnTestnet.title=SPUSŤTE BISQ DAO NA NAŠEM TESTNETU
|
||||
|
@ -1906,7 +1926,7 @@ dao.monitor.daoState.checkpoint.popup=Stav DAO není synchronizován se sítí.
|
|||
|
||||
dao.monitor.proposal.headline=Stav návrhů
|
||||
dao.monitor.proposal.table.headline=Řetězec hashů stavu návrhu
|
||||
dao.monitor.proposal.conflictTable.headline=Návrhované stavy hashů od partnerů v konfliktu
|
||||
dao.monitor.proposal.conflictTable.headline=Navrhované stavy hashů od partnerů v konfliktu
|
||||
|
||||
dao.monitor.proposal.table.hash=Hash stavu návrhu
|
||||
dao.monitor.proposal.table.prev=Předchozí hash
|
||||
|
@ -1928,12 +1948,12 @@ dao.factsAndFigures.menuItem.transactions=Transakce BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Průměrná obchodní cena BSQ/BTC za 90 dní
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Průměrná obchodní cena BSQ/BTC za 30 dní
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90-denní objem váženého průměru obchodní ceny USD/BSQ
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30-denní objem váženého průměru obchodní ceny USD/BSQ
|
||||
dao.factsAndFigures.dashboard.marketCap=Tržní kapitalizace (na základě obchodní ceny)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90denní objemově vážená průměrná cena USD/BSQ
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30denní objemově vážená průměrná cena USD/BSQ
|
||||
dao.factsAndFigures.dashboard.marketCap=Tržní kapitalizace (na základě průměrné ceny USD/BSQ za posledních 30 dní)
|
||||
dao.factsAndFigures.dashboard.availableAmount=Celkem k dispozici BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=Vydaných BSQ v. Spálených BSQ
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=Vydaných BSQ vs. Spálených BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issued=Vydáno BSQ
|
||||
dao.factsAndFigures.supply.genesisIssueAmount=BSQ vydané při první (genesis) transakci
|
||||
|
@ -1941,8 +1961,8 @@ dao.factsAndFigures.supply.compRequestIssueAmount=BSQ vydáno pro žádosti o od
|
|||
dao.factsAndFigures.supply.reimbursementAmount=BSQ vydané pro žádosti o vyrovnání
|
||||
|
||||
dao.factsAndFigures.supply.burnt=Spálených BSQ
|
||||
dao.factsAndFigures.supply.burntMovingAverage=15-denní klouzavý průměr
|
||||
dao.factsAndFigures.supply.burntZoomToInliers=Přiblížit k vnitřnímu
|
||||
dao.factsAndFigures.supply.burntMovingAverage=15denní klouzavý průměr
|
||||
dao.factsAndFigures.supply.burntZoomToInliers=Přiblížit klouzavý průměr
|
||||
|
||||
dao.factsAndFigures.supply.locked=Globální stav uzamčených BSQ
|
||||
dao.factsAndFigures.supply.totalLockedUpAmount=Zamčeno v úpisech
|
||||
|
@ -2000,11 +2020,11 @@ 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} získá vše
|
||||
disputeSummaryWindow.payout.getsAll=BTC {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
|
||||
disputeSummaryWindow.payoutAmount.invert=Pužít prohraného jako vydavatele
|
||||
disputeSummaryWindow.payoutAmount.invert=Poražený ve sporu odesílá transakci
|
||||
disputeSummaryWindow.reason=Důvod sporu
|
||||
|
||||
# dynamic values are not recognized by IntelliJ
|
||||
|
@ -2017,13 +2037,13 @@ disputeSummaryWindow.reason.PROTOCOL_VIOLATION=Porušení protokolu
|
|||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.NO_REPLY=Bez odpovědi
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.SCAM=Scam
|
||||
disputeSummaryWindow.reason.SCAM=Podvod
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.OTHER=Jiný
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.BANK_PROBLEMS=Banka
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.OPTION_TRADE=Možnost obchodu
|
||||
disputeSummaryWindow.reason.OPTION_TRADE=Obchodování opcí
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.SELLER_NOT_RESPONDING=Prodejce neodpovídá
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -2045,7 +2065,7 @@ disputeSummaryWindow.close.msg=Ticket uzavřen {0}\n{1} adresa uzlu: {2}\n\nSouh
|
|||
disputeSummaryWindow.close.msgWithSig={0}{1}{2}{3}
|
||||
|
||||
disputeSummaryWindow.close.nextStepsForMediation=\nDalší kroky:\nOtevřete obchod a přijměte nebo odmítněte návrhy od mediátora
|
||||
disputeSummaryWindow.close.nextStepsForRefundAgentArbitration=\nDalší kroky:\nNevyžadují se od vás žádné další kroky. Pokud rozhodce rozhodl ve váš prospěch, zobrazí se ve Prostředky/Transakce transakce „Vrácení peněz z rozhodčího řízení“
|
||||
disputeSummaryWindow.close.nextStepsForRefundAgentArbitration=\nDalší kroky:\nNevyžadují se od vás žádné další kroky. Pokud rozhodce rozhodl ve váš prospěch, v sekci Prostředky/Transakce se zobrazí transakce „Vrácení peněz z rozhodčího řízení“
|
||||
disputeSummaryWindow.close.closePeer=Potřebujete také zavřít úkol obchodního peer uzlu!
|
||||
disputeSummaryWindow.close.txDetails.headline=Zveřejněte transakci vrácení peněz
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Onion adresa obchodního peer uzlu
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Pubkey hash obchodních partnerů
|
||||
tradeDetailsWindow.tradeState=Stav obchodu
|
||||
tradeDetailsWindow.agentAddresses=Rozhodce/Mediátor
|
||||
tradeDetailsWindow.detailData=Detailní data
|
||||
|
||||
walletPasswordWindow.headline=Pro odemknutí zadejte heslo
|
||||
|
||||
|
@ -2166,7 +2187,7 @@ torNetworkSettingWindow.obfs3=obfs3
|
|||
torNetworkSettingWindow.obfs4=obfs4 (doporučeno)
|
||||
torNetworkSettingWindow.meekAmazon=meek-amazon
|
||||
torNetworkSettingWindow.meekAzure=meek-azure
|
||||
torNetworkSettingWindow.enterBridge=Zadejte jedno nebo více mostových relé - bridge relays (jedno na řádek)
|
||||
torNetworkSettingWindow.enterBridge=Zadejte jeden nebo více bridge relays (jeden na řádek)
|
||||
torNetworkSettingWindow.enterBridgePrompt=typ addresa:port
|
||||
torNetworkSettingWindow.restartInfo=Chcete-li použít změny, musíte restartovat aplikaci
|
||||
torNetworkSettingWindow.openTorWebPage=Otevřít webovou stránku projektu Tor
|
||||
|
@ -2200,7 +2221,7 @@ popup.headline.warning=Varování
|
|||
popup.headline.error=Chyba
|
||||
|
||||
popup.doNotShowAgain=Znovu nezobrazovat
|
||||
popup.reportError.log=Otevřete log soubor
|
||||
popup.reportError.log=Otevřít log
|
||||
popup.reportError.gitHub=Nahlaste problém na GitHub
|
||||
popup.reportError={0}\n\nChcete-li nám pomoci vylepšit software, nahlaste tuto chybu otevřením nového problému na adrese https://github.com/bisq-network/bisq/issues.\nVýše uvedená chybová zpráva bude zkopírována do schránky po kliknutí na některé z níže uvedených tlačítek.\nUsnadníte ladění, pokud zahrnete soubor bisq.log stisknutím tlačítka „Otevřít log soubor“, uložením kopie a připojením ke zprávě o chybě.
|
||||
|
||||
|
@ -2226,13 +2247,14 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Opravdu chcete tuto nabídku odebrat?\nPokud tuto nabídku odstraníte, ztratí se poplatek tvůrce {0}.
|
||||
popup.warning.tooLargePercentageValue=Nelze nastavit procento 100% nebo větší.
|
||||
popup.warning.examplePercentageValue=Zadejte procento jako číslo \"5.4\" pro 5.4%
|
||||
popup.warning.noPriceFeedAvailable=Pro tuto měnu není k dispozici žádný zdroj cen. Nelze použít procentuální cenu.\nVyberte pevnou cenu.
|
||||
popup.warning.sendMsgFailed=Odeslání zprávy vašemu obchodnímu partnerovi se nezdařilo.\nZkuste to prosím znovu a pokud to i nadále selže, nahláste chybu.
|
||||
popup.warning.sendMsgFailed=Odeslání zprávy vašemu obchodnímu partnerovi se nezdařilo.\nZkuste to prosím znovu a pokud to i nadále selže, nahlaste chybu.
|
||||
popup.warning.insufficientBtcFundsForBsqTx=Nemáte dostatečné prostředky BTC k zaplacení poplatku za těžbu za tuto transakci.\nFinancujte prosím svou BTC peněženku.\nChybějící prostředky: {0}
|
||||
popup.warning.bsqChangeBelowDustException=Tato transakce vytváří výstup BSQ, který je pod limitem drobných (5,46 BSQ) a byl by bitcoinovou sítí odmítnut.\n\nMusíte buď poslat vyšší částku, abyste se vyhnuli drobným (např. Přidáním drobné částky do vaší odeslané částky), nebo přidejte do své peněženky další prostředky BSQ, abyste se vyhnuli generování drobných.\n\nVýstup drobných {0}.
|
||||
popup.warning.bsqChangeBelowDustException=Tato transakce vytváří výstup BSQ, který je pod limitem drobných (5,46 BSQ) a byl by bitcoinovou sítí odmítnut.\n\nMusíte buď poslat vyšší částku, abyste se vyhnuli drobným (např. přidáním drobné částky do vaší odeslané částky), nebo přidejte do své peněženky další prostředky BSQ, abyste se vyhnuli generování drobných.\n\nVýstup drobných {0}.
|
||||
popup.warning.btcChangeBelowDustException=Tato transakce vytváří výstup, který je pod limitem drobných (546 satoshi) a byl by bitcoinovou sítí odmítnut.\n\nMusíte přidat vyšší množství drobných k vašemu odesílanému množství, abyste se vyhnuli vytváření drobných.\n\nVýstup drobných je {0}.
|
||||
|
||||
popup.warning.insufficientBsqFundsForBtcFeePayment=K provedení této transakce budete potřebovat více BSQ - posledních 5,46 BSQ ve vaší peněžence nelze použít k placení obchodních poplatků kvůli omezení prachových mincí v bitcoinovém protokolu.\n\nMůžete si buď koupit více BSQ, nebo zaplatit obchodní poplatky pomocí BTC.\n\nChybějící prostředky: {0}
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=Transakční poplatek tvůrce za nab
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=obchodní poplatek
|
||||
popup.warning.trade.txRejected.deposit=vklad
|
||||
popup.warning.trade.txRejected={0} transakce pro obchod s ID {1} byla bitcoinovou sítí odmítnuta.\nID transakce = {2}}\nObchod byl přesunut do neúspěšných obchodů.\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 Bisq Keybase týmu.
|
||||
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 Bisq 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 Bisq Keybase týmu.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Ujistěte se, že ve své oblasti máte pobočku bank
|
|||
popup.info.cashDepositInfo.confirm=Potvrzuji, že mohu provést vklad
|
||||
popup.info.shutDownWithOpenOffers=Bisq se vypíná, ale existují otevřené nabídky.\n\nTyto nabídky nebudou dostupné v síti P2P, pokud bude Bisq vypnutý, ale budou znovu publikovány do sítě P2P při příštím spuštění Bisq.\n\nChcete-li zachovat své nabídky online, udržujte Bisq spuštěný a ujistěte se, že tento počítač zůstává online (tj. Ujistěte se, že nepřejde do pohotovostního režimu...pohotovostní režim monitoru není problém).
|
||||
popup.info.qubesOSSetupInfo=Zdá se, že používáte Bisq na Qubes OS.\n\nUjistěte se, že je vaše Bisq qube nastaveno podle našeho průvodce nastavením na [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade z verze {0} na verzi {1} není podporován. Použijte prosím nejnovější verzi Bisq.
|
||||
|
||||
popup.privateNotification.headline=Důležité soukromé oznámení!
|
||||
|
||||
|
@ -2360,7 +2383,7 @@ guiUtil.accountExport.savedToPath=Obchodní účty uložené na:\n{0}
|
|||
guiUtil.accountExport.noAccountSetup=Nemáte nastaveny obchodní účty pro export.
|
||||
guiUtil.accountExport.selectPath=Vyberte cestu k {0}
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
guiUtil.accountExport.tradingAccount=Obchodní účet s ID {0}
|
||||
guiUtil.accountExport.tradingAccount=Obchodní účet s ID {0}\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
guiUtil.accountImport.noImport=Neobchodovali jsme obchodní účet s ID {0}, protože již existuje.\n
|
||||
guiUtil.accountExport.exportFailed=Export do CSV selhal kvůli chybě.\nChyba = {0}
|
||||
|
@ -2368,7 +2391,7 @@ guiUtil.accountExport.selectExportPath=Vyberte složku pro export
|
|||
guiUtil.accountImport.imported=Obchodní účet importovaný z:\n{0}\n\nImportované účty:\n{1}
|
||||
guiUtil.accountImport.noAccountsFound=Nebyly nalezeny žádné exportované obchodní účty na: {0}.\nNázev souboru je {1}."
|
||||
guiUtil.openWebBrowser.warning=Chystáte se otevřít webovou stránku ve webovém prohlížeči.\nChcete nyní otevřít webovou stránku?\n\nPokud nepoužíváte \"Tor Browser\" jako výchozí systémový webový prohlížeč, připojíte se k webové stránce v čisté síti.\n\nURL: \"{0}\"
|
||||
guiUtil.openWebBrowser.doOpen=Otevřete webovou stránku a znovu se neptát
|
||||
guiUtil.openWebBrowser.doOpen=Otevřít webovou stránku a znovu se neptat
|
||||
guiUtil.openWebBrowser.copyUrl=Zkopírovat URL a zrušit
|
||||
guiUtil.ofTradeAmount=obchodní částky
|
||||
guiUtil.requiredMinimum=(požadované minimum)
|
||||
|
@ -2438,7 +2461,7 @@ navigation.settings.preferences=\"Nastavení/Preference\"
|
|||
# suppress inspection "UnusedProperty"
|
||||
navigation.funds.transactions=\"Prostředky/Transakce\"
|
||||
navigation.support=\"Podpora\"
|
||||
navigation.dao.wallet.receive=\"DAO/BSQ peněženka/Přímout\"
|
||||
navigation.dao.wallet.receive="DAO/Peněženka BSQ/Přijmout"
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -2447,11 +2470,11 @@ navigation.dao.wallet.receive=\"DAO/BSQ peněženka/Přímout\"
|
|||
|
||||
formatter.formatVolumeLabel={0} částka{1}
|
||||
formatter.makerTaker=Tvůrce jako {0} {1} / Příjemce jako {2} {3}
|
||||
formatter.youAreAsMaker=Jste {0} {1} jako tvůrce / Příjemce je {2} {3}
|
||||
formatter.youAreAsTaker=Jste {0} {1} jako příjemce / Tvůrce je {2} {3}
|
||||
formatter.youAre=Jste {0} {1} ({2} {3})
|
||||
formatter.youAreCreatingAnOffer.fiat=Vytváříte nabídku pro {0} {1}
|
||||
formatter.youAreCreatingAnOffer.altcoin=Vytváříte nabídku pro {0} {1} ({2} {3})
|
||||
formatter.youAreAsMaker={0}te {1} jako tvůrce / Příjemce {2} {3}
|
||||
formatter.youAreAsTaker={0}te {1} jako příjemce / Tvůrce {2} {3}
|
||||
formatter.youAre={0}te {1} ({2}te {3})
|
||||
formatter.youAreCreatingAnOffer.fiat=Vytváříte nabídku: {0} {1}
|
||||
formatter.youAreCreatingAnOffer.altcoin=Vytváříte nabídku: {0} {1} ({2}te {3})
|
||||
formatter.asMaker={0} {1} jako tvůrce
|
||||
formatter.asTaker={0} {1} jako příjemce
|
||||
|
||||
|
@ -2510,7 +2533,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\" or \"Cmd/Ctrl+e\".
|
||||
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.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?
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Uživatelské jméno Venmo
|
|||
payment.popmoney.accountId=E-mail nebo číslo telefonu
|
||||
payment.promptPay.promptPayId=Občanské/daňové identifikační číslo nebo telefonní číslo
|
||||
payment.supportedCurrencies=Podporované měny
|
||||
payment.supportedCurrenciesForReceiver=Měny pro příjem prostředků
|
||||
payment.limitations=Omezení
|
||||
payment.salt=Salt pro ověření stáří účtu
|
||||
payment.error.noHexSalt=Salt musí být ve formátu HEX.\nDoporučujeme upravit pole salt, pokud chcete salt převést ze starého účtu, aby bylo stáří vašeho účtu zachováno. Stáří účtu se ověřuje pomocí salt účtu a identifikačních údajů účtu (např. IBAN).
|
||||
|
@ -2597,7 +2621,7 @@ payment.accountType=Typ účtu
|
|||
payment.checking=Kontrola
|
||||
payment.savings=Úspory
|
||||
payment.personalId=Číslo občanského průkazu
|
||||
payment.clearXchange.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 Bisq 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šechn) 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 Bisq.
|
||||
payment.clearXchange.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 Bisq 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 Bisq.
|
||||
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 Bisqu, 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í.
|
||||
|
@ -2840,7 +2864,7 @@ validation.interacETransfer.invalidAnswer=Musí to být jedno slovo a obsahovat
|
|||
validation.inputTooLarge=Vstup nesmí být větší než {0}
|
||||
validation.inputTooSmall=Vstup musí být větší než {0}
|
||||
validation.inputToBeAtLeast=Vstup musí být alespoň {0}
|
||||
validation.amountBelowDust=Množství pod mezní hodnotou prachových mincí {0} satoshi není povoleno.
|
||||
validation.amountBelowDust=Množství pod mezní hodnotou drobných (dust limit) {0} není povoleno.
|
||||
validation.length=Délka musí být mezi {0} a {1}
|
||||
validation.pattern=Vstup musí být ve formátu: {0}
|
||||
validation.noHexString=Vstup není ve formátu HEX.
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Betrag in {0}
|
|||
shared.volumeWithCur=Volumen in {0}
|
||||
shared.currency=Währung
|
||||
shared.market=Markt
|
||||
shared.deviation=Abweichung
|
||||
shared.paymentMethod=Zahlungsmethode
|
||||
shared.tradeCurrency=Handelswährung
|
||||
shared.offerType=Angebotstyp
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Rückerstattungsbeauftragten
|
|||
shared.delayedPayoutTxId=Verzögerte Auszahlungs-ID der Transaktion
|
||||
shared.delayedPayoutTxReceiverAddress=Verzögerte Auszahlungs-Transaktion gesendet zu
|
||||
shared.unconfirmedTransactionsLimitReached=Sie haben im Moment zu viele unbestätigte Transaktionen. Bitte versuchen Sie es später noch einmal.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Aktiviert
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=In Trades gesperrt
|
|||
mainView.balance.reserved.short=Reserviert
|
||||
mainView.balance.locked.short=Gesperrt
|
||||
|
||||
mainView.footer.usingTor=(nutzt Tor)
|
||||
mainView.footer.usingTor=(über Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Aktuelle Gebühr: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Verbindung mit Bitcoin-Netzwerk wird hergestellt
|
||||
mainView.footer.bsqInfo.synchronizing=/ Synchronisiere DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronisiere mit
|
||||
mainView.footer.btcInfo.synchronizedWith=Synchronisiert mit
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronisierung mit {0} bei Block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synchronisierung mit {0} bei Block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Verbinde mit
|
||||
mainView.footer.btcInfo.connectionFailed=Verbindung fehlgeschlagen zu
|
||||
mainView.footer.p2pInfo=Bitcoin Netzwerk Peers: {0} / Bisq Netzwerk Peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Als Banksitz akzeptierte Länder (Abnehmer):
|
|||
offerbook.availableOffers=Verfügbare Angebote
|
||||
offerbook.filterByCurrency=Nach Währung filtern
|
||||
offerbook.filterByPaymentMethod=Nach Zahlungsmethode filtern
|
||||
offerbook.timeSinceSigning=Unterzeichnet seit
|
||||
offerbook.timeSinceSigning=Konto Informationen
|
||||
offerbook.timeSinceSigning.info=Dieses Konto wurde verifiziert und {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=von einem Vermittler unterzeichnet und kann Partner-Konten unterzeichnen
|
||||
offerbook.timeSinceSigning.info.peer=von einem Partner unterzeichnet, der darauf wartet, dass die Limits aufgehoben werden
|
||||
offerbook.timeSinceSigning.info.peer=von einem Peer unterzeichnet, der %d Tage wartet bis die Limits aufgehoben werden
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=von einem Partner unterzeichnet und Limits wurden aufgehoben
|
||||
offerbook.timeSinceSigning.info.signer=vom Partner unterzeichnet und kann Partner-Konten unterzeichnen (Limits aufgehoben)
|
||||
offerbook.timeSinceSigning.info.banned=Konto wurde geblockt
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Automatische Bestätigung aktiviert
|
|||
|
||||
offerbook.timeSinceSigning.help=Wenn Sie einen Trade mit einem Partner erfolgreich abschließen, der ein unterzeichnetes Zahlungskonto hat, wird Ihr Zahlungskonto unterzeichnet.\n{0} Tage später wird das anfängliche Limit von {1} aufgehoben und Ihr Konto kann die Zahlungskonten anderer Partner unterzeichnen.
|
||||
offerbook.timeSinceSigning.notSigned=Noch nicht unterzeichnet
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} Tage
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=DIeses Konto wurde noch nicht unterzeichnet
|
||||
shared.notSigned.noNeed=Dieser Kontotyp verwendet keine Unterzeichnung
|
||||
shared.notSigned=Dieses Konto wurde noch nicht unterzeichnet und wurde {0} Tage zuvor erstellt
|
||||
shared.notSigned.noNeed=Dieser Kontotyp benötigt keine Unterzeichnung
|
||||
shared.notSigned.noNeedDays=Dieser Kontotyp benötigt keine Unterzeichnung und wurde {0} zuvor unterzeichnet
|
||||
shared.notSigned.noNeedAlts=Altcoin Konten benötigen weisen keine Unterzeichnung und kein Konto-Alter auf.
|
||||
|
||||
offerbook.nrOffers=Anzahl der Angebote: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Verlauf
|
|||
portfolio.tab.failed=Fehlgeschlagen
|
||||
portfolio.tab.editOpenOffer=Angebot bearbeiten
|
||||
|
||||
portfolio.closedTrades.deviation.help=Prozentuale Preisabweichung vom Markt
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=Es gibt ein Problem mit einer fehlenden oder ungültigen Transaktion.\n\nBitte senden Sie KEINE Fiat oder Altcoin Zahlung. Kontaktieren Sie Bisq Entwickler auf Keybase [HYPERLINK:https://keybase.io/team/bisq] oder im Forum [HYPERLINK:https://bisq.community] for further assistance.\n\nFehlermeldung: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Auf Blockchain-Bestätigung warten
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Keine Transaktionen verfügbar
|
|||
funds.tx.revert=Umkehren
|
||||
funds.tx.txSent=Transaktion erfolgreich zu einer neuen Adresse in der lokalen Bisq-Wallet gesendet.
|
||||
funds.tx.direction.self=An Sie selbst senden
|
||||
funds.tx.daoTxFee=Mining-Gebühr für DAO Tx
|
||||
funds.tx.daoTxFee=Mining-Gebühr für BSQ-Tx
|
||||
funds.tx.reimbursementRequestTxFee=Rückerstattungsantrag
|
||||
funds.tx.compensationRequestTxFee=Entlohnungsanfrage
|
||||
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 Bisqwallet 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
|
||||
####################################################################
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Umlaufzeit
|
||||
settings.net.sentBytesColumn=Gesendet
|
||||
settings.net.receivedBytesColumn=Erhalten
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=eingehend
|
|||
settings.net.outbound=ausgehend
|
||||
settings.net.reSyncSPVChainLabel=SPV-Kette neu synchronisieren
|
||||
settings.net.reSyncSPVChainButton=SPV-Datei löschen und neu synchronisieren
|
||||
settings.net.reSyncSPVSuccess=Die SPV-Chain-Datei wird beim nächsten Start gelöscht. Sie müssen Ihre Anwendung jetzt neu starten.\n\nNach dem Neustart kann es eine Weile dauern, bis die Neusynchronisierung mit dem Netzwerk abgeschlossen ist, und Sie sehen erst nach Abschluss der Neusynchronisierung alle Transaktionen.\n\nAbhängig von der Anzahl der Transaktionen und dem Alter Ihrer Wallet kann die Resynchronisation bis zu einigen Stunden dauern und verbraucht 100% der CPU. Unterbrechen Sie den Prozess nicht, da Sie ihn sonst wiederholen müssen.
|
||||
settings.net.reSyncSPVSuccess=Sind Sie sicher, dass Sie den SPV Resync starten möchten? Wenn Sie fortfahren, wird die SPV chain beim nächsten Start gelöscht.\n\nNach dem Restart kann der Resync des Netzwerks etwas Zeit in Anspruch nehmen und Sie werden die Transaktionen erst sehen wenn der Resync vollständig durchgeführt wurde.\n\nAbhängig von der Anzahl an Transaktionen und dem Alter Ihrer Wallet kann der Resync mehrere Stunden dauern und 100% der CPU Power beanspruchen. Unterbrechen Sie den Resync nicht, ansonsten müssen Sie ihn wiederholen.
|
||||
settings.net.reSyncSPVAfterRestart=Die SPV-Kettendatei wurde gelöscht. Haben Sie bitte Geduld, es kann eine Weile dauern mit dem Netzwerk neu zu synchronisieren.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=Die erneute Synchronisation ist jetzt abgeschlossen. Bitte starten Sie die Anwendung neu.
|
||||
settings.net.reSyncSPVFailed=Konnte SPV-Kettendatei nicht löschen.\nFehler: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Nationale Währungskonten
|
|||
account.menu.altCoinsAccountView=Altcoin-Konten
|
||||
account.menu.password=Wallet-Passwort
|
||||
account.menu.seedWords=Wallet-Seed
|
||||
account.menu.walletInfo=Wallet info
|
||||
account.menu.backup=Backup
|
||||
account.menu.notifications=Benachrichtigungen
|
||||
|
||||
account.menu.walletInfo.balance.headLine=Wallet balances
|
||||
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Öffentlicher Schlüssel
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Tragen Sie Ihre Zieladresse ein
|
|||
dao.wallet.send.send=BSQ-Gelder senden
|
||||
dao.wallet.send.sendBtc=BTC-Gelder senden
|
||||
dao.wallet.send.sendFunds.headline=Abhebeanfrage bestätigen
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Senden: {0]\nEmpfangsadresse: {1}.\nBenötigte Mining-Gebühr beträgt: {2} ({3} satoshis/vbyte)\nTransaktion vsize: {4} vKb\n\nDer empfänger wird erhalten: {5}\n\nSind Sie sich sicher die Menge abzuheben?
|
||||
dao.wallet.chainHeightSynced=Synchronisiert bis Block: {0}
|
||||
dao.wallet.chainHeightSyncing=Erwarte Blöcke... {0} von {1} Blöcken verifiziert
|
||||
dao.wallet.tx.type=Typ
|
||||
|
@ -1854,9 +1874,9 @@ dao.proposal.create.missingMinerFeeFunds=Du hast nicht ausreichend BTC, um die V
|
|||
dao.proposal.create.missingIssuanceFunds=Sie haben nicht ausreichend BTC, um die Vorschlags-Transaktion zu erstellen. Jede BSQ-Transaktion benötigt eine Mining-Gebühr in BTC, Ausgabetransaktionen brauchen auch BTC für den angefragten BSQ Betrag ({0} Satoshis/BSQ).\nEs fehlen: {1}
|
||||
|
||||
dao.feeTx.confirm=Bestätige {0} Transaktion
|
||||
dao.feeTx.confirm.details={0} fee: {1}\nMining fee: {2} ({3} Satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nAre you sure you want to publish the {5} transaction?
|
||||
dao.feeTx.confirm.details={0} Gebühr: {1} \nMining-Gebühr: {2} ({3} Satoshis/vByte)\nTransaktionsgröße: {4} Kb\n\nSind Sie sicher, dass Sie die {5} Transaktion senden wollen?
|
||||
|
||||
dao.feeTx.issuanceProposal.confirm.details={0} fee: {1}\nBTC needed for BSQ issuance: {2} ({3} Satoshis/BSQ)\nMining fee: {4} ({5} Satoshis/vbyte)\nTransaction vsize: {6} vKb\n\nIf your request is approved, you will receive the amount you requested net of the 2 BSQ proposal fee.\n\nAre you sure you want to publish the {7} transaction?
|
||||
dao.feeTx.issuanceProposal.confirm.details={0} Gebühr: {1}\nBenötigte BTC für die BSQ Ausgabe: {2} ({3} Satoshis/BSQ)\nMining-Gebühr: {4} ({5} Satoshis/Byte)\nTransaktionsgröße: {6} Kb\n\nFalls Ihre Anfrage angenommen wird, erhalten Sie den angefragten Betrag minus die 2 BSQ Antragsgebühr.\n\nSind Sie sicher, dass Sie die {7} Transaktion veröffentlichen wollen?
|
||||
|
||||
dao.news.bisqDAO.title=DER BISQ DAO
|
||||
dao.news.bisqDAO.description=Genauso wie der Bisq Handelsplatz dezentral und resistent gegen Zensur ist, ist auch die Führung der DAO - die Bisq DAO und der BSQ Token machen es möglich.
|
||||
|
@ -2000,7 +2020,7 @@ 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=Der BTC-{0} erhält alles
|
||||
disputeSummaryWindow.payout.getsAll=Menge in BTC zu {0}
|
||||
disputeSummaryWindow.payout.custom=Spezifische Auszahlung
|
||||
disputeSummaryWindow.payoutAmount.buyer=Auszahlungsbetrag des Käufers
|
||||
disputeSummaryWindow.payoutAmount.seller=Auszahlungsbetrag des Verkäufers
|
||||
|
@ -2052,7 +2072,7 @@ disputeSummaryWindow.close.txDetails.headline=Rückerstattungstransaktion veröf
|
|||
disputeSummaryWindow.close.txDetails.buyer=Käufer erhält {0} an Adresse: {1}\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
disputeSummaryWindow.close.txDetails.seller=Verkäufer erhält {0} an Adresse: {1}\n
|
||||
disputeSummaryWindow.close.txDetails=Spending: {0}\n{1}{2}Transaction fee: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nAre you sure you want to publish this transaction?
|
||||
disputeSummaryWindow.close.txDetails=Ausgaben: {0}\n{1}{2}Transaktionsgebühr: {3} ({4} Satoshis/Byte)\nTransaktionsgröße: {5} Kb\n\nSind Sie sicher, dass Sie diese Transaktion veröffentlichen möchten?
|
||||
|
||||
disputeSummaryWindow.close.noPayout.headline=Ohne Auszahlung schließen
|
||||
disputeSummaryWindow.close.noPayout.text=Wollen Sie schließen ohne eine Auszahlung zu tätigen?
|
||||
|
@ -2087,7 +2107,7 @@ filterWindow.btcNode=Gefilterte Bitcoinknoten (Komma getr. Adresse + Port)
|
|||
filterWindow.preventPublicBtcNetwork=Nutzung des öffentlichen Bitcoin-Netzwerks verhindern
|
||||
filterWindow.disableDao=DAO deaktivieren
|
||||
filterWindow.disableAutoConf=Automatische Bestätigung deaktivieren
|
||||
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
|
||||
filterWindow.autoConfExplorers=Gefilterter Explorer mit Auto-Bestätigung (Adressen mit Komma separiert)
|
||||
filterWindow.disableDaoBelowVersion=Min. für DAO erforderliche Version
|
||||
filterWindow.disableTradeBelowVersion=Min. zum Handeln erforderliche Version
|
||||
filterWindow.add=Filter hinzufügen
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Onion-Adresse des Handelspartners
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading Peers Pubkey Hash
|
||||
tradeDetailsWindow.tradeState=Handelsstatus
|
||||
tradeDetailsWindow.agentAddresses=Vermittler/Mediator
|
||||
tradeDetailsWindow.detailData=Detaillierte Daten
|
||||
|
||||
walletPasswordWindow.headline=Passwort zum Entsperren eingeben
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Sind Sie sicher, dass Sie das Angebot entfernen wollen?\nDie Erstellergebühr von {0} geht verloren, wenn Sie des Angebot entfernen.
|
||||
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%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=Die Verkäufergebühren-Transaktion f
|
|||
|
||||
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 eine SPV-Resynchronisierung durch.\nFür weitere Hilfe wenden Sie sich bitte an den Bisq-Support-Kanal des Bisq Keybase Teams.
|
||||
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 Bisq-Support-Kanal des Bisq 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 Bisq-Support-Kanal des Bisq Keybase Teams.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Stellen Sie sicher, dass eine Bank-Filiale in Ihrer N
|
|||
popup.info.cashDepositInfo.confirm=Ich bestätige, dass ich die Kaution zahlen kann
|
||||
popup.info.shutDownWithOpenOffers=Bisq wird heruntergefahren, aber Sie haben offene Angebote verfügbar.\n\nDiese Angebote sind nach dem Herunterfahren nicht mehr verfügbar und werden erneut im P2P-Netzwerk veröffentlicht wenn Sie das nächste Mal Bisq starten.\n\nLassen Sie Bisq weiter laufen und stellen Sie sicher, dass Ihr Computer online bleibt, um Ihre Angebote verfügbar zu halten (z.B.: verhindern Sie den Standby-Modus... der Standby-Modus des Monitors stellt kein Problem dar).
|
||||
popup.info.qubesOSSetupInfo=Es scheint so als ob Sie Bisq auf Qubes OS laufen haben.\n\nBitte stellen Sie sicher, dass Bisq qube nach unserem Setup Guide eingerichtet wurde: [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade von Version {0} auf Version {1} wird nicht unterstützt. Bitte nutzen Sie die aktuelle Bisq Version.
|
||||
|
||||
popup.privateNotification.headline=Wichtige private Benachrichtigung!
|
||||
|
||||
|
@ -2498,7 +2521,7 @@ password.deriveKey=Schlüssel aus Passwort ableiten
|
|||
password.walletDecrypted=Die Wallet wurde erfolgreich entschlüsselt und der Passwortschutz entfernt.
|
||||
password.wrongPw=Sie haben das falsche Passwort eingegeben.\n\nVersuchen Sie bitte Ihr Passwort erneut einzugeben, wobei Sie dies vorsichtig auf Tipp- und Rechtschreibfehler überprüfen sollten.
|
||||
password.walletEncrypted=Die Wallet wurde erfolgreich verschlüsselt und der Passwortschutz aktiviert.
|
||||
password.walletEncryptionFailed=Wallet password could not be set. You may have imported seed words which do not match the wallet database. Please contact the developers on Keybase ([HYPERLINK:https://keybase.io/team/bisq]).
|
||||
password.walletEncryptionFailed=Wallet Passwort konnte nicht eingerichtet werden. Sie haben vielleicht Seed-Wörter importiert, die nicht mit der Wallet-Datenbank übereinstimmen. Bitte kontaktieren Sie die Entwickler auf Keybase ([HYPERLINK:https://keybase.io/team/bisq]).
|
||||
password.passwordsDoNotMatch=Die 2 eingegebenen Passwörter stimmen nicht überein.
|
||||
password.forgotPassword=Passwort vergessen?
|
||||
password.backupReminder=Beachten Sie, dass wenn Sie ein Passwort setzen, alle automatisch erstellten Backups der unverschlüsselten Wallet gelöscht werden.\n\nEs wird dringend empfohlen ein Backup des Anwendungsverzeichnisses zu erstellen und die Seed-Wörter aufzuschreiben, bevor Sie ein Passwort erstellen!
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Venmo Nutzername
|
|||
payment.popmoney.accountId=E-Mail oder Telefonnummer
|
||||
payment.promptPay.promptPayId=Personalausweis/Steuernummer oder Telefonnr.
|
||||
payment.supportedCurrencies=Unterstützte Währungen
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Einschränkungen
|
||||
payment.salt=Salt für Überprüfung des Kontoalters
|
||||
payment.error.noHexSalt=Der Salt muss im HEX-Format sein.\nEs wird empfohlen das Salt-Feld zu bearbeiten, wenn Sie den Salt von einem alten Konto übertragen, um das Alter Ihres Kontos zu erhalten. Das Alter des Kontos wird durch den Konto-Salt und die Kontodaten (z.B. IBAN) verifiziert.
|
||||
|
@ -2599,18 +2623,18 @@ payment.savings=Ersparnisse
|
|||
payment.personalId=Personalausweis
|
||||
payment.clearXchange.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 Bisq-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 Bisq 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 Bisq 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=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.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.
|
||||
# suppress inspection "UnusedMessageFormatParameter"
|
||||
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Bisq 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://bisq.wiki/Account_limits].
|
||||
payment.limits.info=Bitte beachten Sie, dass alle Banküberweisungen mit einem gewissen Rückbuchungsrisiko verbunden sind. Um dieses Risiko zu mindern, setzt Bisq 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://bisq.wiki/Account_limits].
|
||||
# suppress inspection "UnusedProperty"
|
||||
payment.limits.info.withSigning=To limit chargeback risk, Bisq sets per-trade limits for this payment account type based on the following 2 factors:\n\n1. General chargeback risk for the payment method\n2. Account signing status\n\nThis payment account is not yet signed, so it is limited to buying {0} per trade. After signing, buy limits will increase as follows:\n\n● Before signing, and for 30 days after signing, your per-trade buy limit will be {0}\n● 30 days after signing, your per-trade buy limit will be {1}\n● 60 days after signing, your per-trade buy limit will be {2}\n\nSell limits are not affected by account signing. You can sell {2} in a single trade immediately.\n\nThese limits only apply 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://bisq.wiki/Account_limits].
|
||||
payment.limits.info.withSigning=Um das Risiko einer Rückbuchung zu minimieren, setzt Bisq für diese Zahlungsmethode Limits pro Trade auf der Grundlage der folgenden 2 Faktoren fest:\n\n1. Allgemeines Rückbuchungsrisiko für die Zahlungsmethode\n2. Status der Kontounterzeichnung\n\nDieses Zahlungskonto ist noch nicht unterzeichnet. Es ist daher auf den Kauf von {0} pro Trade beschränkt ist. Nach der Unterzeichnung werden die Kauflimits wie folgt erhöht:\n\n● Vor der Unterzeichnung und für 30 Tage nach der Unterzeichnung beträgt Ihr Kauflimit pro Trade {0}\n● 30 Tage nach der Unterzeichnung beträgt Ihr Kauflimit pro Trade {1}\n● 60 Tage nach der Unterzeichnung beträgt Ihr Kauflimit pro Trade {2}\n\nVerkaufslimits sind von der Kontounterzeichnung nicht betroffen. Sie können {2} in einem einzigen Trade sofort verkaufen.\n\nDieses Limit gilt nur für die Größe eines einzelnen Trades - Sie können soviele Trades platzieren wie sie möchten.\n\nWeitere Informationen gibt es im Wiki [HYPERLINK:https://bisq.wiki/Account_limits].
|
||||
|
||||
payment.cashDeposit.info=Bitte bestätigen Sie, dass Ihre Bank Bareinzahlungen in Konten von anderen Personen erlaubt. Zum Beispiel werden diese Einzahlungen bei der Bank of America und Wells Fargo nicht mehr erlaubt.
|
||||
|
||||
payment.revolut.info=Revolut benötigt den "Benutzernamen" als Account ID und nicht die Telefonnummer oder E-Mail, wie es in der Vergangenheit war.
|
||||
payment.account.revolut.addUserNameInfo={0}\nYour existing Revolut account ({1}) does not have a ''User name''.\nPlease enter your Revolut ''User name'' to update your account data.\nThis will not affect your account age signing status.
|
||||
payment.account.revolut.addUserNameInfo={0}\nDein existierendes Revolut Konto ({1}) hat keinen "Benutzernamen".\nBitte geben Sie Ihren Revolut "Benutzernamen" ein um Ihre Kontodaten zu aktualisieren.\nDas wird Ihr Kontoalter und die Verifizierung nicht beeinflussen.
|
||||
payment.revolut.addUserNameInfo.headLine=Revolut Account updaten
|
||||
|
||||
payment.usPostalMoneyOrder.info=Der Handel auf Bisq unter Verwendung eines 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- Der BTC-Käufer muss den USPMO zusammen mit der Lieferbestätigung 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 Bisq-Mediator oder Erstattungsagenten schicken, damit dieser die Angaben auf der Website des US-Postamtes überprüfen kann.\n\nWenn Sie dem Mediator oder Vermittler 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 Mediator oder Vermittler.\n\nWenn Sie diese Anforderungen nicht verstehen, handeln Sie bitte nicht auf Bisq unter Verwendung eines USPMO.
|
||||
|
@ -2623,7 +2647,7 @@ payment.f2f.optionalExtra=Freiwillige zusätzliche Informationen
|
|||
payment.f2f.extra=Zusätzliche Informationen
|
||||
|
||||
payment.f2f.extra.prompt=Der Ersteller kann "Geschäftsbedingungen" festlegen oder öffentliche Kontaktinformationen hinterlegen. Diese werden mit dem Angebot angezeigt.
|
||||
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.bisq.network/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 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.bisq.network/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}
|
||||
|
@ -2634,8 +2658,8 @@ payment.japan.account=Konto
|
|||
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=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 need to purchase an Amazon eGift Card at your Amazon account and use the BTC seller''s email or mobile nr. as receiver. Amazon sends then an email or text message to the receiver. Use the trade ID for the message field.\n\nAmazon eGift Cards can only be redeemed by Amazon accounts with the same currency.\n\nFor more information visit the Amazon eGift Card webpage. [HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
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 Amazon eGift Karten zu bezahlen, müssen Sie Amazon eGift Karten mit Ihrem Amazon Konto kaufen und die E-Mail und Telefonnummer des BTC Verkäufers als Empfänger verwenden. Amazon sendet dann eine E-Mail oder SMS an den Empfänger. Benutzen Sie die Trade ID für das Nachrichtenfeld.\n\nAmazon eGift Karten können nur von Amazon Konten mit der gleichen Währung eingelöst werden.\n\nFür weitere Informationen besuchen Sie die Amazon eGift Karten Website.\n[HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
|
||||
# We use constants from the code so we do not use our normal naming convention
|
||||
# dynamic values are not recognized by IntelliJ
|
||||
|
@ -2852,7 +2876,7 @@ validation.numberFormatException=Zahlenformat Ausnahme {0}
|
|||
validation.mustNotBeNegative=Eingabe darf nicht negativ sein
|
||||
validation.phone.missingCountryCode=Es wird eine zweistellige Ländervorwahl benötigt, um die Telefonnummer zu bestätigen
|
||||
validation.phone.invalidCharacters=Telefonnummer {0} enthält ungültige Zeichen
|
||||
validation.phone.insufficientDigits=Das ist keine gültige Telefonnummer. Sie habe nicht genügend Stellen angegeben.
|
||||
validation.phone.insufficientDigits=Das ist keine gültige Telefonnummer. Sie habe nicht genügend Stellen angegeben.
|
||||
validation.phone.tooManyDigits=Es sind zu viele Ziffern in {0} um eine gültige Telefonnummer zu sein.
|
||||
validation.phone.invalidDialingCode=Country dialing code for number {0} is invalid for country {1}. The correct dialing code is {2}.
|
||||
validation.phone.invalidDialingCode=Die Ländervorwahl in der Nummer {0} ist für das Land {1} ungültig. Die richtige Vorwahl ist {2}.
|
||||
validation.invalidAddressList=Muss eine kommagetrennte Liste der gültigen Adressen sein
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Cantidad en {0}
|
|||
shared.volumeWithCur=Volumen en {0}
|
||||
shared.currency=Moneda
|
||||
shared.market=Mercado
|
||||
shared.deviation=Desviación
|
||||
shared.paymentMethod=Método de pago
|
||||
shared.tradeCurrency=Moneda de intercambio
|
||||
shared.offerType=Tipo de oferta
|
||||
|
@ -123,7 +124,7 @@ shared.noDateAvailable=Sin fecha disponible
|
|||
shared.noDetailsAvailable=Sin detalles disponibles
|
||||
shared.notUsedYet=Sin usar aún
|
||||
shared.date=Fecha
|
||||
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?
|
||||
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=Bisq 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.copyToClipboard=Copiar al portapapeles
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Agente de devolución de fondos
|
|||
shared.delayedPayoutTxId=ID de transacción del pago demorado
|
||||
shared.delayedPayoutTxReceiverAddress=Transacción de pago demorado enviada a
|
||||
shared.unconfirmedTransactionsLimitReached=Tiene demasiadas transacciones no confirmadas en este momento. Por favor, inténtelo de nuevo más tarde.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Habilitado
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Bloqueado en intercambios
|
|||
mainView.balance.reserved.short=Reservado
|
||||
mainView.balance.locked.short=Bloqueado
|
||||
|
||||
mainView.footer.usingTor=(usando Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Tasas actuales: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/Tasas actuales: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Conectando a la red Bitcoin
|
||||
mainView.footer.bsqInfo.synchronizing=/ Sincronizando DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Sincronizando con
|
||||
mainView.footer.btcInfo.synchronizedWith=Sincronizado con
|
||||
mainView.footer.btcInfo.synchronizingWith=Sincronizando con {0} en el bloque: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Sincronizado con {0} en el bloque {1}
|
||||
mainView.footer.btcInfo.connectingTo=Conectando a
|
||||
mainView.footer.btcInfo.connectionFailed=Conexión fallida a
|
||||
mainView.footer.p2pInfo=Pares de Bitcoin: {0} / Pares de la red de Bisq: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Países de sede de banco aceptados (tomador)
|
|||
offerbook.availableOffers=Ofertas disponibles
|
||||
offerbook.filterByCurrency=Filtrar por moneda
|
||||
offerbook.filterByPaymentMethod=Filtrar por método de pago
|
||||
offerbook.timeSinceSigning=Firmado desde
|
||||
offerbook.timeSinceSigning=Información de la cuenta
|
||||
offerbook.timeSinceSigning.info=Esta cuenta fue verificada y {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=firmada por un árbitro y puede firmar cuentas de pares
|
||||
offerbook.timeSinceSigning.info.peer=firmado por un par, esperando a que se eleven los límites
|
||||
offerbook.timeSinceSigning.info.peer=firmado por un par, esperando %d días para aumentar límites
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=firmador por un par y los límites se elevaron
|
||||
offerbook.timeSinceSigning.info.signer=firmado por un par y puede firmar cuentas de pares (límites elevados)
|
||||
offerbook.timeSinceSigning.info.banned=La cuenta fue bloqueada
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=¿Está habilitada la confirmación automática?
|
|||
|
||||
offerbook.timeSinceSigning.help=Cuando complete con éxito un intercambio con un par que tenga una cuenta de pago firmada, su cuenta de pago es firmada.\n{0} días después, el límite inicial de {1} se eleva y su cuenta puede firmar tras cuentas de pago.
|
||||
offerbook.timeSinceSigning.notSigned=No firmada aún
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} días
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=No disponible
|
||||
shared.notSigned=Esta cuenta aún no se ha firmado
|
||||
shared.notSigned.noNeed=Este tipo de cuenta no utiliza firmado
|
||||
shared.notSigned=Esta cuenta no ha sido firmada aún y fue creada hace {0} días
|
||||
shared.notSigned.noNeed=Este tipo de cuenta no necesita firmado
|
||||
shared.notSigned.noNeedDays=Este tipo de cuenta no necesita firmado y fue creada hace {0} días
|
||||
shared.notSigned.noNeedAlts=Las cuentas de altcoin no necesitan firmado o edad
|
||||
|
||||
offerbook.nrOffers=Número de ofertas: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Historial
|
|||
portfolio.tab.failed=Fallidas
|
||||
portfolio.tab.editOpenOffer=Editar oferta
|
||||
|
||||
portfolio.closedTrades.deviation.help=Desviación porcentual de precio de mercado
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=Hay un problema con una transacción no válida o faltante.\n\nNO envíe el pago fiat o altcoin. Póngase en contacto con los desarrolladores de Bisq en Keybase [HYPERLINK:https://keybase.io/team/bisq] o en el foro [HYPERLINK:https://bisq.community] para obtener más ayuda.\n\nMensaje de error: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Esperar a la confirmación en la cadena de bloques
|
||||
|
@ -607,7 +616,7 @@ portfolio.pending.step2_buyer.moneyGram.extra=REQUERIMIENTO IMPORTANTE:\nDespué
|
|||
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}.
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.amazonGiftCard=Please purchase an Amazon eGift Card for {0} at your Amazon account and use the BTC seller''s email or mobile number as receiver. In case the trade amount exceeds the permitted amount send multiple cards.\n\n
|
||||
portfolio.pending.step2_buyer.amazonGiftCard=Por favor compre una Tarjeta Amazon eGift por {0} en su cuenta Amazon y use el email del vendedor BTC o el número de móvil como receptor. En caso de que la cantidad de intercambio exceda la cantidad permitida, envíe múltiples tarjetas.
|
||||
|
||||
# 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
|
||||
|
@ -680,7 +689,7 @@ portfolio.pending.step3_seller.cash=Debido a que el pago se hecho vía depósito
|
|||
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.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=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.
|
||||
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.
|
||||
|
||||
portfolio.pending.step3_seller.bankCheck=\n\nPor favor verifique también que el nombre y el emisor especificado en el contrato de intercambio se corresponde 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, {1}
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Sin transacciones disponibles
|
|||
funds.tx.revert=Revertir
|
||||
funds.tx.txSent=Transacción enviada exitosamente a una nueva dirección en la billetera Bisq local.
|
||||
funds.tx.direction.self=Enviado a usted mismo
|
||||
funds.tx.daoTxFee=Comisión de minería para la tx DAO
|
||||
funds.tx.daoTxFee=Comisión de minería para la tx BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Solicitud de reembolso
|
||||
funds.tx.compensationRequestTxFee=Solicitud de compensación
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -986,10 +994,10 @@ setting.preferences.autoConfirmRequiredConfirmations=Confirmaciones requeridas
|
|||
setting.preferences.autoConfirmMaxTradeSize=Cantidad máxima de intecambio (BTC)
|
||||
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=Withdrawal transaction fee (satoshis/vbyte)
|
||||
setting.preferences.txFee=Tasa de transacción de retiro (satoshis/vbyte)
|
||||
setting.preferences.useCustomValue=Usar valor personalizado
|
||||
setting.preferences.txFeeMin=Transaction fee must be at least {0} satoshis/vbyte
|
||||
setting.preferences.txFeeTooLarge=Your input is above any reasonable value (>5000 satoshis/vbyte). Transaction fee is usually in the range of 50-400 satoshis/vbyte.
|
||||
setting.preferences.txFeeMin=La tasa de transacción debe ser al menos de {0} sat/vbyte
|
||||
setting.preferences.txFeeTooLarge=El valor introducido está muy por encima de lo razonable (>5000 satoshis/vbyte). La tasa de transacción normalmente está en el rango de 50-400 satoshis/vbyte.
|
||||
setting.preferences.ignorePeers=Pares ignorados [dirección onion:puerto]
|
||||
setting.preferences.ignoreDustThreshold=Valor mínimo de output que no sea dust
|
||||
setting.preferences.currenciesInList=Monedas en lista para precio de mercado
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Tiempo de ida y vuelta
|
||||
settings.net.sentBytesColumn=Enviado
|
||||
settings.net.receivedBytesColumn=Recibido
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Pares: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=entrante
|
|||
settings.net.outbound=saliente
|
||||
settings.net.reSyncSPVChainLabel=Resincronizar cadena SPV
|
||||
settings.net.reSyncSPVChainButton=Borrar archivo SPV y resincronizar
|
||||
settings.net.reSyncSPVSuccess=El archivo de cadena SPV se borrará en el siguiente inicio. Necesita reiniciar la aplicación ahora.\n\nDespués del reinicio puede llevar un rato resincronizar con la red y verá todas las transacciones una vez completada la resincronización.\n\nDependiendo de el número de transacciones y la edad de su monedero la resincronización puede llevar unas horas y consume el 100% de la CPU. No interrumpa el proceso o tendrá que repetirlo.
|
||||
settings.net.reSyncSPVSuccess=Está seguro de quere hacer una resincronización SPV? Si procede, la cadena SPV se borrará al siguiente inicio.\n\nDespués de reiniciar puede llevarle un rato resincronizar con la red y solo verá las transacciones una vez se haya completado la resincronización.\n\nDependiendo del número de transacciones y la edad de su monedero, la resincronización puede llevarle hasta algunas horas y consumir el 100% de su CPU. No interrumpa el proceso o tendrá que repetirlo.
|
||||
settings.net.reSyncSPVAfterRestart=La cadena SPV ha sido borrada. Por favor, sea paciente. Puede llevar un tiempo resincronizar con la red.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=La resincronización se ha completado. Por favor, reinicie la aplicación.
|
||||
settings.net.reSyncSPVFailed=No se pudo borrar el archivo de cadena SPV\nError: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Cuentas de moneda nacional
|
|||
account.menu.altCoinsAccountView=Cuentas de altcoin
|
||||
account.menu.password=Contraseña de monedero
|
||||
account.menu.seedWords=Semilla del monedero
|
||||
account.menu.walletInfo=Wallet info
|
||||
account.menu.backup=Copia de seguridad
|
||||
account.menu.notifications=Notificaciones
|
||||
|
||||
account.menu.walletInfo.balance.headLine=Wallet balances
|
||||
account.menu.walletInfo.balance.info=This shows the internal wallet balance including unconfirmed transactions.\nFor Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Llave pública
|
||||
|
||||
|
@ -1498,9 +1518,9 @@ dao.bond.reputation.salt=Salt
|
|||
dao.bond.reputation.hash=Hash
|
||||
dao.bond.reputation.lockupButton=Bloquear
|
||||
dao.bond.reputation.lockup.headline=Confirmar transacción de bloqueo
|
||||
dao.bond.reputation.lockup.details=Lockup amount: {0}\nUnlock time: {1} block(s) (≈{2})\n\nMining fee: {3} ({4} Satoshis/vbyte)\nTransaction vsize: {5} Kb\n\nAre you sure you want to proceed?
|
||||
dao.bond.reputation.lockup.details=Cantidad bloqueada: {0}\nTiempo de desbloqueo: {1} bloque(s) (≈{2})\n\nComisión de minado: {3} ({4} Satoshis/vbyte)\nTamaño de la transacción: {5} Kb\n\n¿Seguro que quiere proceder?
|
||||
dao.bond.reputation.unlock.headline=Confirmar desbloqueo de transacción
|
||||
dao.bond.reputation.unlock.details=Unlock amount: {0}\nUnlock time: {1} block(s) (≈{2})\n\nMining fee: {3} ({4} Satoshis/vbyte)\nTransaction vsize: {5} Kb\n\nAre you sure you want to proceed?
|
||||
dao.bond.reputation.unlock.details=Cantidad de desbloqueo: {0}\nTiempo de desbloqueo: {1} bloque(s) (≈{2})\n\nComisión de minado: {3} ({4} Satoshis/vbyte)\nTamaño de transacción: {5} Kb\n\n¿Seguro que quiere proceder?
|
||||
|
||||
dao.bond.allBonds.header=Todas las garantías
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Introduzca su dirección de destino
|
|||
dao.wallet.send.send=Enviar fondos BSQ
|
||||
dao.wallet.send.sendBtc=Enviar fondos BTC
|
||||
dao.wallet.send.sendFunds.headline=Confirme la petición de retiro
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Enviando: {0}\nA la dirección receptora: {1}.\nLa tasa de minado requerida es: {2} ({3} satoshis/vbyte)\nTamaño de la transacción: {4} Kb\n\nEl receptor recibirá: {5}\n\nEstá seguro de que quiere retirar esa cantidad?
|
||||
dao.wallet.chainHeightSynced=Último bloque verificado: {0}
|
||||
dao.wallet.chainHeightSyncing=Esperando bloques... {0} bloques verificados de {1}
|
||||
dao.wallet.tx.type=Tipo
|
||||
|
@ -1854,9 +1874,9 @@ dao.proposal.create.missingMinerFeeFunds=No tiene suficientes fondos BTC para cr
|
|||
dao.proposal.create.missingIssuanceFunds=No tiene suficientes fondos BTC para crear la transacción de propuesta. Todas las transacciones BSQ requieren una comisión de minado en BTC, y la emisión de transacciones también requieren BTC para la cantidad de BSQ solicitada ({0} Satoshis/BSQ).\nNecesarios: {1}
|
||||
|
||||
dao.feeTx.confirm=Confirmar transacción {0}
|
||||
dao.feeTx.confirm.details={0} fee: {1}\nMining fee: {2} ({3} Satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nAre you sure you want to publish the {5} transaction?
|
||||
dao.feeTx.confirm.details={0} comisión: {1}\nComisión de minado: {2} ({3} Satoshis/vbyte)\nTamaño de la transacción: {4} Kb\n\n¿Está seguro de que quiere publicar la transacción {5}?
|
||||
|
||||
dao.feeTx.issuanceProposal.confirm.details={0} fee: {1}\nBTC needed for BSQ issuance: {2} ({3} Satoshis/BSQ)\nMining fee: {4} ({5} Satoshis/vbyte)\nTransaction vsize: {6} vKb\n\nIf your request is approved, you will receive the amount you requested net of the 2 BSQ proposal fee.\n\nAre you sure you want to publish the {7} transaction?
|
||||
dao.feeTx.issuanceProposal.confirm.details={0} comisión: {1}\nBTC necesarios para emisión BSQ: {2} ({3} Satoshis/BSQ)\nTasa de minado: {4} ({5} Satoshis/vbyte)\nTamaño de transacción: {6} Kb\n\nSi la solicitud se aprueba, recibirá la cantidad neta que ha solicitado de las 2 BSQ de comisión de propuesta.\n¿Está seguro de que quiere publicar la transacción de {7}?
|
||||
|
||||
dao.news.bisqDAO.title=LA DAO BISQ
|
||||
dao.news.bisqDAO.description=Tal como el exchange Bisq es descentralizado y resistente a la censura, lo es su modelo de governanza - y la DAO BISQ y el token BSQ son herramientas que lo hacen posible.
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Transacciones BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Medía de 90 días del precio de intercambio BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Medía de 30 días del precio de intercambio BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=Media ponderada de 90 días del precio de intercambio USD/BSQ
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=Media ponderada de 30 días del precio de intercambio USD / BSQ
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalización de mercado (basado en el precio de intercambio)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=Media ponderada por volumen de 90 días del precio de USD/BSQ
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=Media ponderada por volumen de 30 días del precio de USD/BSQ
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalización de mercado (basado en la media de 30 días del precio USD/BSQ)
|
||||
dao.factsAndFigures.dashboard.availableAmount=BSQ totales disponibles
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ emitidos v. BSQ quemados
|
||||
|
@ -2000,7 +2020,7 @@ 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=El {0} BTC obtiene todo
|
||||
disputeSummaryWindow.payout.getsAll=Cantidad máxima de pago BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Pago personalizado
|
||||
disputeSummaryWindow.payoutAmount.buyer=Cantidad de pago del comprador
|
||||
disputeSummaryWindow.payoutAmount.seller=Cantidad de pago del vendedor
|
||||
|
@ -2052,7 +2072,7 @@ disputeSummaryWindow.close.txDetails.headline=Publicar transacción de devoluci
|
|||
disputeSummaryWindow.close.txDetails.buyer=El comprador recibe {0} en la dirección: {1}\n
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
disputeSummaryWindow.close.txDetails.seller=El vendedor recibe {0} en la dirección: {1}\n
|
||||
disputeSummaryWindow.close.txDetails=Spending: {0}\n{1}{2}Transaction fee: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nAre you sure you want to publish this transaction?
|
||||
disputeSummaryWindow.close.txDetails=Gastando: {0}\n{1}{2}Tasa de transacción: {3} ({4} satoshis/vbyte)\nTamaño virtual de transacción: {5} vKb\n\n¿Está seguro de que quiere publicar esta transacción?\n
|
||||
|
||||
disputeSummaryWindow.close.noPayout.headline=Cerrar sin realizar algún pago
|
||||
disputeSummaryWindow.close.noPayout.text=¿Quiere cerrar sin realizar algún pago?
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Dirección onion de par de intercambio
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Hash de las llaves públicas de pares de intercambio
|
||||
tradeDetailsWindow.tradeState=Estado del intercambio
|
||||
tradeDetailsWindow.agentAddresses=Árbitro/Mediador
|
||||
tradeDetailsWindow.detailData=Detallar datos
|
||||
|
||||
walletPasswordWindow.headline=Introducir contraseña para desbloquear
|
||||
|
||||
|
@ -2192,7 +2213,7 @@ feeOptionWindow.fee={0} (≈ {1})
|
|||
popup.headline.notification=Notificación
|
||||
popup.headline.instruction=Por favor, tenga en cuenta:
|
||||
popup.headline.attention=Atención
|
||||
popup.headline.backgroundInfo=Información de fondo
|
||||
popup.headline.backgroundInfo=Información general
|
||||
popup.headline.feedback=Completado
|
||||
popup.headline.confirmation=Confirmación
|
||||
popup.headline.information=Información
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=¿Está seguro que quiere eliminar la oferta?\nLa comisión de creador de {0} se perderá si elimina 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%
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Por favor asegúrese de que tiene una oficina bancari
|
|||
popup.info.cashDepositInfo.confirm=Confirmo que puedo hacer el depósito
|
||||
popup.info.shutDownWithOpenOffers=Bisq se está cerrando, pero hay ofertas abiertas.\n\nEstas ofertas no estarán disponibles en la red P2P mientras Bisq esté cerrado, pero serán re-publicadas a la red P2P la próxima vez que inicie Bisq.\n\nPara mantener sus ofertas en línea, mantenga Bisq ejecutándose y asegúrese de que la computadora permanece en línea también (Ej. asegúrese de que no se pone en modo standby... el monitor en espera no es un problema).
|
||||
popup.info.qubesOSSetupInfo=Parece que está ejecutando Bisq en Qubes OS\n\nAsegúrese de que su Bisq qube esté configurado de acuerdo con nuestra Guía de configuración en [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes]
|
||||
popup.warn.downGradePrevention=Degradar desde la versión {0} a la versión {1} no está soportado. Por favor use la última versión de Bisq.
|
||||
|
||||
popup.privateNotification.headline=Notificación privada importante!
|
||||
|
||||
|
@ -2354,7 +2377,7 @@ systemTray.tooltip=Bisq: Una red de intercambio de bitcoin descentralizada
|
|||
# GUI Util
|
||||
####################################################################
|
||||
|
||||
guiUtil.miningFeeInfo=Please be sure that the mining fee used by your external wallet is at least {0} satoshis/vbyte. Otherwise the trade transactions may not be confirmed in time and the trade will end up in a dispute.
|
||||
guiUtil.miningFeeInfo=Por favor asegúrese de que la comisión de minado usada en su monedero externo es de al menos {0} sat/vbyte. De lo contrario, las transacciones de intercambio podrían no confirmarse y el intercambio acabaría en disputa.
|
||||
|
||||
guiUtil.accountExport.savedToPath=Las cuentas de intercambio se han guardado en el directorio:\n{0}
|
||||
guiUtil.accountExport.noAccountSetup=No tiene cuentas de intercambio configuradas para exportar.
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Nombre de usuario Venmo
|
|||
payment.popmoney.accountId=Correo electrónico o núm. de telefóno
|
||||
payment.promptPay.promptPayId=Citizen ID/Tax ID o número de teléfono
|
||||
payment.supportedCurrencies=Monedas soportadas
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Límitaciones:
|
||||
payment.salt="Salt" de la verificación de edad de la cuenta.
|
||||
payment.error.noHexSalt=El "salt" necesitar estar en formato HEX.\nSolo se recomienda editar el "salt" si quiere transferir el "salt" desde una cuenta antigua para mantener su edad de cuenta. La edad de cuenta se verifica usando el "salt" de la cuenta y datos de identificación de cuenta (Ej. IBAN).
|
||||
|
@ -2634,8 +2658,8 @@ payment.japan.account=Cuenta
|
|||
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=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 need to purchase an Amazon eGift Card at your Amazon account and use the BTC seller''s email or mobile nr. as receiver. Amazon sends then an email or text message to the receiver. Use the trade ID for the message field.\n\nAmazon eGift Cards can only be redeemed by Amazon accounts with the same currency.\n\nFor more information visit the Amazon eGift Card webpage. [HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
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 una Tarjeta Amazon eGift necesita comprar una Tarjeta Amazon eGift en su cuenta Amazon y usar el email del vendedor, o el númeor de móvil como receptor. Amazon enviará un email o mensaje de texto al receptor. Use la ID de intercambio para el campo de mensaje.\n\nLas tarjetas Amazon eGift solo pueden redimirse por las cuentas Amazon con la misma moneda.\n\nPara más información visite la página web de Tarjeta Amazon eGift. [HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
|
||||
# We use constants from the code so we do not use our normal naming convention
|
||||
# dynamic values are not recognized by IntelliJ
|
||||
|
@ -2713,7 +2737,7 @@ ADVANCED_CASH=Advanced Cash
|
|||
# suppress inspection "UnusedProperty"
|
||||
TRANSFERWISE=TransferWise
|
||||
# suppress inspection "UnusedProperty"
|
||||
AMAZON_GIFT_CARD=Amazon eGift Card
|
||||
AMAZON_GIFT_CARD=Tarjeta Amazon eGift
|
||||
# suppress inspection "UnusedProperty"
|
||||
BLOCK_CHAINS_INSTANT=Altcoins instant
|
||||
|
||||
|
@ -2765,7 +2789,7 @@ ADVANCED_CASH_SHORT=Advanced Cash
|
|||
# suppress inspection "UnusedProperty"
|
||||
TRANSFERWISE_SHORT=TransferWise
|
||||
# suppress inspection "UnusedProperty"
|
||||
AMAZON_GIFT_CARD_SHORT=Amazon eGift Card
|
||||
AMAZON_GIFT_CARD_SHORT=Tarjeta Amazon eGift
|
||||
# suppress inspection "UnusedProperty"
|
||||
BLOCK_CHAINS_INSTANT_SHORT=Altcoins instant
|
||||
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=مقدار در {0}
|
|||
shared.volumeWithCur=حجم در {0}
|
||||
shared.currency=ارز
|
||||
shared.market=بازار
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=نحوه پرداخت
|
||||
shared.tradeCurrency=ارز معامله
|
||||
shared.offerType=نوع پیشنهاد
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Refund agent
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=You have too many unconfirmed transactions at the moment. Please try again later.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=قفل شده در معاملات
|
|||
mainView.balance.reserved.short=اندوخته
|
||||
mainView.balance.locked.short=قفل شده
|
||||
|
||||
mainView.footer.usingTor=(استفاده از Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(لوکال هاست)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=در حال ارتباط با شبکه بیتکوین
|
||||
mainView.footer.bsqInfo.synchronizing=/ همگامسازی DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=در حال همگام شدن با
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=در حال ایجاد ارتباط با
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=بانکهای کشورهای پذیرف
|
|||
offerbook.availableOffers=پیشنهادهای موجود
|
||||
offerbook.filterByCurrency=فیلتر بر اساس ارز
|
||||
offerbook.filterByPaymentMethod=فیلتر بر اساس روش پرداخت
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=This account was verified and {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=signed by an arbitrator and can sign peer accounts
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=signed by a peer and limits were lifted
|
||||
offerbook.timeSinceSigning.info.signer=signed by peer and can sign peer accounts (limits lifted)
|
||||
offerbook.timeSinceSigning.info.banned=account was banned
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=When you successfully complete a trade with a peer who has a signed payment account, your payment account is signed.\n{0} days later, the initial limit of {1} is lifted and your account can sign other peers'' payment accounts.
|
||||
offerbook.timeSinceSigning.notSigned=Not signed yet
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} روز
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=بدون پاسخ
|
||||
shared.notSigned=This account hasn't been signed yet
|
||||
shared.notSigned.noNeed=This account type doesn't use signing
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=تعداد پیشنهادها: {0}
|
||||
offerbook.volume={0} (حداقل - حداکثر)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=تاریخچه
|
|||
portfolio.tab.failed=ناموفق
|
||||
portfolio.tab.editOpenOffer=ویرایش پیشنهاد
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=برای تأییدیه بلاک چین منتظر باشید
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=هیچ تراکنشی موجود نیست
|
|||
funds.tx.revert=عودت
|
||||
funds.tx.txSent=تراکنش به طور موفقیت آمیز به یک آدرس جدید در کیف پول محلی Bisq ارسال شد.
|
||||
funds.tx.direction.self=ارسال شده به خودتان
|
||||
funds.tx.daoTxFee=کارمزد اسخراج برای تراکنش DAO
|
||||
funds.tx.daoTxFee=کارمزد استخراج برای تراکنش BSQ
|
||||
funds.tx.reimbursementRequestTxFee=درخواست بازپرداخت
|
||||
funds.tx.compensationRequestTxFee=درخواست خسارت
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=تاخیر چرخشی
|
||||
settings.net.sentBytesColumn=ارسال شده
|
||||
settings.net.receivedBytesColumn=دریافت شده
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
settings.net.ips=[آدرس آی پی: پورت | نام میزبان: پورت | آدرس Onion : پورت] (جدا شده با ویرگول). اگر از پیش فرض (8333) استفاده می شود، پورت می تواند حذف شود.
|
||||
settings.net.seedNode=گره ی اصلی
|
||||
settings.net.directPeer=همتا (مستقیم)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=وارد شونده
|
|||
settings.net.outbound=خارج شونده
|
||||
settings.net.reSyncSPVChainLabel=همگام سازی مجدد زنجیره SPV
|
||||
settings.net.reSyncSPVChainButton=حذف فایل SPV و همگام سازی مجدد
|
||||
settings.net.reSyncSPVSuccess=The SPV chain file will be deleted on the next startup. You need to restart your application now.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=فایل زنجیره SPV حذف شده است. لطفاً صبور باشید، همگام سازی مجدد با شبکه کمی طول خواهد کشید.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=همگام سازی مجدد هم اکنون تکمیل شده است. لطفاً برنامه را مجدداً راه اندازی نمایید.
|
||||
settings.net.reSyncSPVFailed=حذف فایل زنجیره SPV امکان پذیر نیست. \nخطا: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=حساب های ارز ملی
|
|||
account.menu.altCoinsAccountView=حساب های آلت کوین
|
||||
account.menu.password=رمز کیف پول
|
||||
account.menu.seedWords=رمز پشتیبان کیف پول
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=کلید عمومی
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=آدرس مقصد خود را پر کنی
|
|||
dao.wallet.send.send=ارسال وجوه BSQ
|
||||
dao.wallet.send.sendBtc=ارسال وجوه BTC
|
||||
dao.wallet.send.sendFunds.headline=تأیید درخواست برداشت
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=آخرین بلاک تایید شده: {0}
|
||||
dao.wallet.chainHeightSyncing=منتظر بلاکها... {0} تا از {1} بلاک تایید شده است
|
||||
dao.wallet.tx.type=نوع
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=تراکنشهای BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=90 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgPrice30=30 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=ارزش بازار (بر مبنای قیمت معاملاتی)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=مجموع BSQ در دسترس
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ issued v. BSQ burnt
|
||||
|
@ -2000,7 +2020,7 @@ disputeSummaryWindow.openDate=تاریخ ایجاد تیکت
|
|||
disputeSummaryWindow.role=نقش معامله گر
|
||||
disputeSummaryWindow.payout=پرداختی مقدار معامله
|
||||
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} پرداختی مبلغ معامله را دریافت می کند
|
||||
disputeSummaryWindow.payout.getsAll=BTC {0} همه را دریافت می کند
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=پرداخت سفارشی
|
||||
disputeSummaryWindow.payoutAmount.buyer=مقدار پرداختی خریدار
|
||||
disputeSummaryWindow.payoutAmount.seller=مقدار پرداختی فروشنده
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=آدرس Onion همتایان معامله:
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=وضعیت معامله
|
||||
tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=وارد کردن رمز عبور به منظور باز کردن
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ popup.warning.noMediatorsAvailable=There are no mediators available.
|
|||
popup.warning.notFullyConnected=شما باید منتظر بمانید تا به طور کامل به شبکه متصل شوید. \nاین ممکن است در هنگام راه اندازی حدود 2 دقیقه طول بکشد.
|
||||
popup.warning.notSufficientConnectionsToBtcNetwork=شما باید منتظر بمانید تا حداقل {0} اتصال به شبکه بیتکوین داشته باشید.
|
||||
popup.warning.downloadNotComplete=شما باید منتظر بمانید تا بارگیری بلاک های بیتکوین باقیمانده کامل شود.
|
||||
popup.warning.chainNotSynced=The Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=آیا شما مطمئن هستید که می خواهید این پیشنهاد را حذف کنید؟\nاگر آن پیشنهاد را حذف کنید، هزینه سفارش گذار {0} از دست خواهد رفت .
|
||||
popup.warning.tooLargePercentageValue=شما نمیتوانید درصد 100٪ یا بیشتر را تنظیم کنید.
|
||||
popup.warning.examplePercentageValue=لطفا یک عدد درصد مانند \"5.4\" برای 5.4% وارد کنید
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer w
|
|||
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
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 Bisq support channel at the Bisq 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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=لطفا مطمئن شوید که شما یک شعب
|
|||
popup.info.cashDepositInfo.confirm=تأیید می کنم که می توانم سپرده را ایجاد کنم
|
||||
popup.info.shutDownWithOpenOffers=Bisq در حال خاموش شدن است ولی پیشنهاداتی وجود دارند که باز هستند.\n\nزمانی که Bisq بسته باشد این پیشنهادات در شبکه P2P در دسترس نخواهند بود، ولی هر وقت دوباره Bisq را باز کنید این پیشنهادات دوباره در شبکه P2P منتشر خواهند شد.\n\n برای اینکه پیشنهادات شما برخط بمانند، بگذارید Bisq در حال اجرابماند و همچنین مطمئن شوید که این کامپیوتر به اینترنت متصل است. (به عنوان مثال مطمئن شوید که به حالت آماده باش نمیرود.. البته حالت آماده باش برای نمایشگر ایرادی ندارد).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=اعلان خصوصی مهم!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=نام کاربری Venmo
|
|||
payment.popmoney.accountId=ایمیل یا شماره تلفن
|
||||
payment.promptPay.promptPayId=شناسه شهروندی/شناسه مالیاتی یا شماره تلفن
|
||||
payment.supportedCurrencies=ارزهای مورد حمایت
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=محدودیتها
|
||||
payment.salt=دادههای تصافی برای اعتبارسنجی سن حساب
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
|
|
@ -35,7 +35,7 @@ shared.no=Non
|
|||
shared.iUnderstand=Je comprends
|
||||
shared.na=N/A
|
||||
shared.shutDown=Éteindre
|
||||
shared.reportBug=Report bug on GitHub
|
||||
shared.reportBug=Signaler des bugs sur Github
|
||||
shared.buyBitcoin=Achat Bitcoin
|
||||
shared.sellBitcoin=Vendre des Bitcoins
|
||||
shared.buyCurrency=Achat {0}
|
||||
|
@ -71,6 +71,7 @@ shared.amountWithCur=Montant en {0}
|
|||
shared.volumeWithCur=Volume en {0}
|
||||
shared.currency=Devise
|
||||
shared.market=Marché
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Mode de paiement
|
||||
shared.tradeCurrency=Devise d'échange
|
||||
shared.offerType=Type d'ordre
|
||||
|
@ -95,21 +96,21 @@ shared.BTCMinMax=BTC (min - max)
|
|||
shared.removeOffer=Retirer l'ordre
|
||||
shared.dontRemoveOffer=Ne pas retirer l'ordre
|
||||
shared.editOffer=Éditer l'ordre
|
||||
shared.openLargeQRWindow=Open large QR code window
|
||||
shared.openLargeQRWindow=Ouvrez et agrandissez la fenêtre du code QR
|
||||
shared.tradingAccount=Compte de trading
|
||||
shared.faq=Visit FAQ page
|
||||
shared.faq=Visitez la page FAQ
|
||||
shared.yesCancel=Oui, annuler
|
||||
shared.nextStep=Étape suivante
|
||||
shared.selectTradingAccount=Sélectionner le compte de trading
|
||||
shared.fundFromSavingsWalletButton=Transférer des fonds depuis le portefeuille Bisq
|
||||
shared.fundFromExternalWalletButton=Ouvrez votre portefeuille externe pour provisionner
|
||||
shared.openDefaultWalletFailed=Failed to open a Bitcoin wallet application. Are you sure you have one installed?
|
||||
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.distanceInPercent=Écart en % par rapport au du prix du marché
|
||||
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=You don''t have enough funds in your Bisq wallet for this transaction—{0} is needed but only {1} is available.\n\nPlease add funds from an external wallet, or fund your Bisq wallet at Funds > Receive Funds.
|
||||
shared.notEnoughFunds=Il n'y a pas suffisamment de fonds dans votre portefeuille Bisq pour payer cette transaction. La transaction a besoin de {0} Votre solde disponible est de {1}. \n\nVeuillez injecter des fonds à partir d'un portefeuille Bitcoin externe ou recharger votre portefeuille Bisq dans «Fonds / Dépôts».
|
||||
shared.waitingForFunds=En attente des fonds...
|
||||
shared.depositTransactionId=ID de la transaction de dépôt
|
||||
shared.TheBTCBuyer=L'acheteur de BTC
|
||||
|
@ -125,15 +126,15 @@ shared.notUsedYet=Pas encore utilisé
|
|||
shared.date=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=Bisq 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=Bisq 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.
|
||||
shared.copyToClipboard=Copier dans le presse-papiers
|
||||
shared.language=Langue
|
||||
shared.country=Pays
|
||||
shared.applyAndShutDown=Appliquer et éteindre
|
||||
shared.selectPaymentMethod=Sélectionner un mode de paiement
|
||||
shared.accountNameAlreadyUsed=That account name is already used for another saved account.\nPlease choose another name.
|
||||
shared.accountNameAlreadyUsed=Ce nom de compte a été utilisé par un compte enregistré. Veuillez utiliser un autre nom.
|
||||
shared.askConfirmDeleteAccount=Voulez-vous vraiment supprimer le compte sélectionné?
|
||||
shared.cannotDeleteAccount=You cannot delete that account because it is being used in an open offer (or in an open trade).
|
||||
shared.cannotDeleteAccount=Vous ne pouvez pas supprimer ce compte car il est utilisé dans des devis ou des transactions.
|
||||
shared.noAccountsSetupYet=Il n'y a pas encore de comptes établis.
|
||||
shared.manageAccounts=Gérer les comptes
|
||||
shared.addNewAccount=Ajouter un nouveau compte
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Agent de remboursement
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=Vous avez trop de transactions non confirmées pour le moment. Veuillez réessayer plus tard.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Bloqué en transactions
|
|||
mainView.balance.reserved.short=Réservé
|
||||
mainView.balance.locked.short=Vérouillé
|
||||
|
||||
mainView.footer.usingTor=(utilisant Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Connexion au réseau Bitcoin en cours
|
||||
mainView.footer.bsqInfo.synchronizing=/ Synchronisation DAO en cours
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronisation avec
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Se connecte à
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Pays acceptés où se situe le siège de la
|
|||
offerbook.availableOffers=Ordres disponibles
|
||||
offerbook.filterByCurrency=Filtrer par devise
|
||||
offerbook.filterByPaymentMethod=Filtrer par mode de paiement
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=Ce compte a été vérifié et {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=signé par un arbitre et pouvant signer des comptes pairs
|
||||
offerbook.timeSinceSigning.info.peer=signé par un pair, en attente de la levée des limites
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=signé par un pair et les limites ont été levées
|
||||
offerbook.timeSinceSigning.info.signer=signé par un pair et pouvant signer des comptes de pairs (limites levées)
|
||||
offerbook.timeSinceSigning.info.banned=Ce compte a été banni
|
||||
|
@ -349,14 +353,17 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=Lorsque vous effectuez avec succès une transaction avec un pair disposant d''un compte de paiement signé, votre compte de paiement est signé.\n{0} Jours plus tard, la limite initiale de {1} est levée et votre compte peut signer les comptes de paiement d''un autre pair.
|
||||
offerbook.timeSinceSigning.notSigned=Pas encore signé
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} jours
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=Ce compte n'a pas encore été signé
|
||||
shared.notSigned.noNeed=Ce type de compte n'utilise pas de signature
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=Nombre d''ordres: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
offerbook.deposit=Deposit BTC (%)
|
||||
offerbook.deposit.help=Deposit paid by each trader to guarantee the trade. Will be returned when the trade is completed.
|
||||
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}
|
||||
offerbook.createOfferToSell=Créer un nouvel ordre de vente pour {0}
|
||||
|
@ -377,11 +384,11 @@ offerbook.withdrawFundsHint=Vous pouvez retirer les fonds investis depuis l''éc
|
|||
offerbook.warning.noTradingAccountForCurrency.headline=No payment account for selected currency
|
||||
offerbook.warning.noTradingAccountForCurrency.msg=You don't have a payment account set up for the selected currency.\n\nWould you like to create an offer for another currency instead?
|
||||
offerbook.warning.noMatchingAccount.headline=No matching payment account.
|
||||
offerbook.warning.noMatchingAccount.msg=This offer uses a payment method you haven't set up yet. \n\nWould you like to set up a new payment account now?
|
||||
offerbook.warning.noMatchingAccount.msg=Cette offre utilise un mode de paiement que vous n'avez pas créé. \n\nVoulez-vous créer un nouveau compte de paiement maintenant?
|
||||
|
||||
offerbook.warning.counterpartyTradeRestrictions=Cette offre ne peut être acceptée en raison de restrictions d'échange imposées par les contreparties
|
||||
|
||||
offerbook.warning.newVersionAnnouncement=With this version of the software, trading peers can verify and sign each others' payment accounts to create a network of trusted payment accounts.\n\nAfter successfully trading with a peer with a verified payment account, your payment account will be signed and trading limits will be lifted after a certain time interval (length of this interval is based on the verification method).\n\nFor more information on account signing, please see the documentation at [HYPERLINK:https://docs.bisq.network/payment-methods#account-signing].
|
||||
offerbook.warning.newVersionAnnouncement=Grâce à cette version du logiciel, les partenaires commerciaux peuvent confirmer et vérifier les comptes de paiement de chacun pour créer un réseau de comptes de paiement de confiance.\n\nUne fois la transaction réussie, votre compte de paiement sera vérifié et les restrictions de transaction seront levées après une certaine période de temps (cette durée est basée sur la méthode de vérification).\n\nPour plus d'informations sur la vérification de votre compte, veuillez consulter le document sur https://docs.bisq.network/payment-methods#account-signing
|
||||
|
||||
popup.warning.tradeLimitDueAccountAgeRestriction.seller=Le montant de transaction autorisé est limité à {0} en raison des restrictions de sécurité basées sur les critères suivants:\n- Le compte de l''acheteur n''a pas été signé par un arbitre ou par un pair\n- Le délai depuis la signature du compte de l''acheteur est inférieur à 30 jours\n- Le mode de paiement pour cette offre est considéré comme présentant un risque de rétrofacturation bancaire\n\n{1}
|
||||
popup.warning.tradeLimitDueAccountAgeRestriction.buyer=Le montant de transaction autorisé est limité à {0} en raison des restrictions de sécurité basées sur les critères suivants:\n- Votre compte n''a pas été signé par un arbitre ou par un pair\n- Le délai depuis la signature de votre compte est inférieur à 30 jours\n- Le mode de paiement pour cette offre est considéré comme présentant un risque de rétrofacturation bancaire\n\n{1}
|
||||
|
@ -392,8 +399,8 @@ offerbook.warning.offerBlocked=L'ordre a été bloqué par des développeurs de
|
|||
offerbook.warning.currencyBanned=La devise utilisée pour cet ordre a été bloquée par les développeurs de Bisq.\nVeuillez visiter le Forum Bisq pour obtenir plus d'informations.
|
||||
offerbook.warning.paymentMethodBanned=Le mode de paiement utilisé pour cet ordre a été bloqué par les développeurs de Bisq.\nVeuillez visiter le Forum Bisq pour obtenir plus d'informations.
|
||||
offerbook.warning.nodeBlocked=L'adresse onion de ce trader a été bloquée par les développeurs de Bisq.\nIl s'agit peut être d'un bug qui cause des problèmes lors de l'acceptation de cet ordre.
|
||||
offerbook.warning.requireUpdateToNewVersion=Your version of Bisq is not compatible for trading anymore.\nPlease update to the latest Bisq version at [HYPERLINK:https://bisq.network/downloads].
|
||||
offerbook.warning.offerWasAlreadyUsedInTrade=You cannot take this offer because you already took it earlier. It could be that your previous take-offer attempt resulted in a failed trade.
|
||||
offerbook.warning.requireUpdateToNewVersion=Votre version Bisq n'est plus compatible avec les transactions. Veuillez mettre à jour la dernière version de Bisq via https://bisq.network/downloads
|
||||
offerbook.warning.offerWasAlreadyUsedInTrade=Vous ne pouvez pas prendre la commande car vous avez déjà terminé l'opération. Il se peut que votre précédente tentative de prise de commandes ait entraîné l'échec de la transaction.
|
||||
|
||||
offerbook.info.sellAtMarketPrice=Vous vendrez au prix du marché (mis à jour chaque minute).
|
||||
offerbook.info.buyAtMarketPrice=Vous achèterez au prix du marché (mis à jour chaque minute).
|
||||
|
@ -541,7 +548,9 @@ portfolio.tab.history=Historique
|
|||
portfolio.tab.failed=Échec
|
||||
portfolio.tab.editOpenOffer=Éditer l'ordre
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=Il y a un problème causé par des transactions manquantes ou indisponibles. \n\nVeuillez ne pas envoyer de monnaie fiduciaire ou de monnaie numérique. Contactez les développeurs Bisq sur Keybase à https://keybase.io/team/bisq ou sur le forum https://bisq.community pour plus d'aide. \n\nMessage d'erreur: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Attendre la confirmation de la blockchain
|
||||
portfolio.pending.step2_buyer.startPayment=Initier le paiement
|
||||
|
@ -636,7 +645,7 @@ portfolio.pending.step2_buyer.confirmStart.headline=Confirmez que vous avez init
|
|||
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=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, Bisq 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 Bisq wiki [HYPERLINK:https://bisq.wiki/Trading_Monero#Auto-confirming_trades].
|
||||
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 Bisq 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, Bisq utilise un nœud d'explorateur de blocs exécuté par des contributeurs Bisq, 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 Bisq Wiki (y compris comment configurer votre propre nœud d'explorateur de blocs): https://bisq.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=En attende du paiement
|
||||
|
@ -781,21 +790,21 @@ portfolio.pending.mediationResult.info.peerAccepted=Votre pair de trading a acce
|
|||
portfolio.pending.mediationResult.button=Voir la résolution proposée
|
||||
portfolio.pending.mediationResult.popup.headline=Résultat de la médiation pour la transaction avec l''ID: {0}
|
||||
portfolio.pending.mediationResult.popup.headline.peerAccepted=Votre pair de trading a accepté la suggestion du médiateur pour la transaction {0}
|
||||
portfolio.pending.mediationResult.popup.info=The mediator has suggested the following payout:\nYou receive: {0}\nYour trading peer receives: {1}\n\nYou can accept or reject this suggested payout.\n\nBy accepting, you sign the proposed payout transaction. If your trading peer also accepts and signs, the payout will be completed, and the trade will be closed.\n\nIf one or both of you reject the suggestion, you will have to wait until {2} (block {3}) to open a second-round dispute with an arbitrator who will investigate the case again and do a payout based on their findings.\n\nThe arbitrator may charge a small fee (fee maximum: the trader''s security deposit) as compensation for their work. Both traders agreeing to the mediator''s suggestion is the happy path—requesting arbitration is meant for exceptional circumstances, such as if a trader is sure the mediator did not make a fair payout suggestion (or if the other peer is unresponsive).\n\nMore details about the new arbitration model: [HYPERLINK:https://docs.bisq.network/trading-rules.html#arbitration]
|
||||
portfolio.pending.mediationResult.popup.selfAccepted.lockTimeOver=You have accepted the mediator''s suggested payout but it seems that your trading peer has not accepted it.\n\nOnce the lock time is over on {0} (block {1}), you can open a second-round dispute with an arbitrator who will investigate the case again and do a payout based on their findings.\n\nYou can find more details about the arbitration model at:[HYPERLINK:https://docs.bisq.network/trading-rules.html#arbitration]
|
||||
portfolio.pending.mediationResult.popup.info=Les frais recommandés par le médiateur sont les suivants: \nVous paierez: {0} \nVotre partenaire commercial paiera: {1} \n\nVous pouvez accepter ou refuser ces frais de médiation. \n\nEn acceptant, vous avez vérifié l'opération de paiement du contrat. Si votre partenaire commercial accepte et vérifie également, le paiement sera effectué et la transaction sera clôturée. \n\nSi l'un de vous ou les deux refusent la proposition, vous devrez attendre le {2} (bloc {3}) pour commencer le deuxième tour de discussion sur le différend avec l'arbitre, et ce dernier étudiera à nouveau le cas. Le paiement sera fait en fonction de ses résultats. \n\nL'arbitre peut facturer une somme modique (la limite supérieure des honoraires: la marge de la transaction) en compensation de son travail. Les deux commerçants conviennent que la suggestion du médiateur est une voie agréable. La demande d'arbitrage concerne des circonstances particulières, par exemple si un professionnel est convaincu que le médiateur n'a pas fait une recommandation de d'indemnisation équitable (ou si l'autre partenaire n'a pas répondu). \n\nPlus de détails sur le nouveau modèle d'arbitrage: https://docs.bisq.network/trading-rules.html#arbitration
|
||||
portfolio.pending.mediationResult.popup.selfAccepted.lockTimeOver=Vous avez accepté la proposition de paiement du médiateur, mais il semble que votre contrepartie ne l'ait pas acceptée. \n\nUne fois que le temps de verrouillage atteint {0} (bloc {1}), vous pouvez ouvrir le second tour de litige pour que l'arbitre réétudie le cas et prend une nouvelle décision de dépenses. \n\nVous pouvez trouver plus d'informations sur le modèle d'arbitrage sur:https://docs.bisq.network/trading-rules.html#arbitration
|
||||
portfolio.pending.mediationResult.popup.openArbitration=Refuser et demander un arbitrage
|
||||
portfolio.pending.mediationResult.popup.alreadyAccepted=Vous avez déjà accepté
|
||||
|
||||
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.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: 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=The delayed payout transaction is missing, but funds have been locked in the deposit transaction.\n\nPlease do NOT send the fiat or altcoin 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.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 Bisq 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]
|
||||
portfolio.pending.failedTrade.info.popup=The trade protocol encountered some problems.\n\n{0}
|
||||
portfolio.pending.failedTrade.txChainInvalid.moveToFailed=The trade protocol encountered a serious problem.\n\n{0}\n\nDo you want to move the trade to failed trades?\n\nYou cannot open mediation or arbitration from the failed trades view, but you can move a failed trade back to the open trades screen any time.
|
||||
portfolio.pending.failedTrade.txChainValid.moveToFailed=The trade protocol encountered some problems.\n\n{0}\n\nThe trade transactions have been published and funds are locked. Only move the trade to failed trades if you are really sure. It might prevent options to resolve the problem.\n\nDo you want to move the trade to failed trades?\n\nYou cannot open mediation or arbitration from the failed trades view, but you can move a failed trade back to the open trades screen any time.
|
||||
portfolio.pending.failedTrade.txChainValid.moveToFailed=Il y a des problèmes avec cet accord de transaction. \n\n{0}\n\nLa transaction de devis a été validée et les fonds ont été bloqués. Déplacer la transaction vers une transaction échouée uniquement si elle est certaine. Cela peut empêcher les options disponibles pour résoudre le problème. \n\nÊtes-vous sûr de vouloir déplacer cette transaction vers la transaction échouée? \n\nVous ne pouvez pas ouvrir une médiation ou un arbitrage dans une transaction échouée, mais vous pouvez déplacer une transaction échouée vers la transaction incomplète à tout moment.
|
||||
portfolio.pending.failedTrade.moveTradeToFailedIcon.tooltip=Move trade to failed trades
|
||||
portfolio.pending.failedTrade.warningIcon.tooltip=Click to open details about the issues of this trade
|
||||
portfolio.failed.revertToPending.popup=Do you want to move this trade to open trades?
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Pas de transactions disponibles
|
|||
funds.tx.revert=Revertir
|
||||
funds.tx.txSent=Transaction envoyée avec succès vers une nouvelle adresse dans le portefeuille local bisq.
|
||||
funds.tx.direction.self=Envoyé à vous même
|
||||
funds.tx.daoTxFee=Frais de minage du tx de la DAO
|
||||
funds.tx.daoTxFee=Frais de minage du tx BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Demande de remboursement
|
||||
funds.tx.compensationRequestTxFee=Requête de compensation
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -962,7 +970,7 @@ support.peerOpenedDispute=Votre pair de trading a fait une demande de litige.\n\
|
|||
support.peerOpenedDisputeForMediation=Votre pair de trading a demandé une médiation.\n\n{0}\n\nVersion de Bisq: {1}
|
||||
support.mediatorsDisputeSummary=System message: Mediator''s dispute summary:\n{0}
|
||||
support.mediatorsAddress=Adresse du nœud du médiateur: {0}
|
||||
support.warning.disputesWithInvalidDonationAddress=The delayed payout transaction has used an invalid receiver address. It does not match any of the DAO parameter values for the valid donation addresses.\n\nThis might be a scam attempt. Please inform the developers about that incident and do not close that case before the situation is resolved!\n\nAddress used in the dispute: {0}\n\nAll DAO param donation addresses: {1}\n\nTrade ID: {2}{3}
|
||||
support.warning.disputesWithInvalidDonationAddress=La transaction de paiement différé a été utilisée pour une adresse de destinataire indisponible. Il ne correspond aux paramètres dans aucun DAO de l'adresse de donation valide. \n\nCela peut être une escroquerie. Veuillez informer le développeur et ne fermez pas le dossier jusqu'à ce que le problème est résolu! \n\nAdresse pour les litiges: {0} \n\nAdresse de donation dans tous les paramètres DAO: {1} \n\nTransaction: {2} {3}
|
||||
support.warning.disputesWithInvalidDonationAddress.mediator=\n\nDo you still want to close the dispute?
|
||||
support.warning.disputesWithInvalidDonationAddress.refundAgent=\n\nYou must not do the payout.
|
||||
|
||||
|
@ -1013,7 +1021,7 @@ setting.preferences.daoOptions=Options DAO
|
|||
setting.preferences.dao.resyncFromGenesis.label=Reconstituer l'état de la DAO à partir du tx genesis
|
||||
setting.preferences.dao.resyncFromResources.label=Rebuild DAO state from resources
|
||||
setting.preferences.dao.resyncFromResources.popup=After an application restart the Bisq network governance data will be reloaded from the seed nodes and the BSQ consensus state will be rebuilt from the latest resource files.
|
||||
setting.preferences.dao.resyncFromGenesis.popup=A resync from genesis transaction can take considerable time and CPU resources. Are you sure you want to do that? Mostly a resync from latest resource files is sufficient and much faster.\n\nIf you proceed, after an application restart the Bisq network governance data will be reloaded from the seed nodes and the BSQ consensus state will be rebuilt from the genesis transaction.
|
||||
setting.preferences.dao.resyncFromGenesis.popup=La synchronisation à partir de la transaction d'origine consomme beaucoup de temps et de ressources CPU. Êtes-vous sûr de vouloir resynchroniser ? En général, la resynchronisation à partir du dernier fichier de ressources est suffisante et plus rapide. \n\nAprès le redémarrage de l'application, les données de gestion du réseau Bisq seront rechargées à partir du nœud d'amorçage et l'état de synchronisation BSQ sera reconstruit à partir de la transaction initiale.
|
||||
setting.preferences.dao.resyncFromGenesis.resync=Resync from genesis and shutdown
|
||||
setting.preferences.dao.isDaoFullNode=Exécuter la DAO de Bisq en tant que full node
|
||||
setting.preferences.dao.rpcUser=Nom d'utilisateur RPC
|
||||
|
@ -1040,7 +1048,7 @@ settings.net.bitcoinNodesLabel=Nœuds Bitcoin Core 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.warn.usePublicNodes=If you use the public Bitcoin network you are exposed to a severe privacy problem caused by the broken bloom filter design and implementation which is used for SPV wallets like BitcoinJ (used in Bisq). Any full node you are connected to could find out that all your wallet addresses belong to one entity.\n\nPlease read more about the details at [HYPERLINK:https://bisq.network/blog/privacy-in-bitsquare].\n\nAre you sure you want to use the public nodes?
|
||||
settings.net.warn.usePublicNodes=Si vous utilisez le réseau public Bitcoin, vous serez confronté à de sérieux problèmes de confidentialité. Ceci est dû à la conception et à la mise en œuvre du bloom filter cassé. Il convient aux portefeuilles SPV comme BitcoinJ (utilisé dans Bisq). Tout nœud complet que vous connectez peut découvrir que toutes les adresses de votre portefeuille appartiennent à une seule entité. \n\nPour plus d'informations, veuillez visiter: https://bisq.network/blog/privacy-in-bitsquare \n\nÊtes-vous sûr de vouloir utiliser un nœud public?
|
||||
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 !
|
||||
|
@ -1052,6 +1060,7 @@ settings.net.creationDateColumn=Établi
|
|||
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.roundTripTimeColumn=Roundtrip
|
||||
settings.net.sentBytesColumn=Envoyé
|
||||
settings.net.receivedBytesColumn=Reçu
|
||||
|
@ -1066,6 +1075,7 @@ settings.net.needRestart=Vous devez redémarrer l'application pour appliquer cet
|
|||
settings.net.notKnownYet=Pas encore connu...
|
||||
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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=inbound
|
|||
settings.net.outbound=outbound
|
||||
settings.net.reSyncSPVChainLabel=Resynchronisation de la chaîne SPV
|
||||
settings.net.reSyncSPVChainButton=Supprimer le fichier SPV et resynchroniser
|
||||
settings.net.reSyncSPVSuccess=Le fichier de la chaîne SPV sera supprimé au prochain démarrage. Vous devez redémarrer votre application maintenant.\n\nAprès le redémarrage, la resynchronisation avec le réseau peut prendre un certain temps, vous serez en mesure de voir toutes les transactions seulement une fois que la resynchronisation sera terminée.\n\nSelon le nombre de transactions et l"ancienneté de votre portefeuille, la resynchronisation peut prendre jusqu"à quelques heures et consomme 100% du CPU. N'interrompez pas le processus, sinon vous devez le recommencer.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=Le fichier de la chaîne SPV a été supprimé. Veuillez s'il vous plaît patienter. La resynchronisation avec le réseau peut nécessiter un certain temps.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=La resynchronisation est maintenant terminée. Veuillez redémarrer l'application.
|
||||
settings.net.reSyncSPVFailed=Impossible de supprimer le fichier de la chaîne SPV.\nErreur: {0}
|
||||
|
@ -1146,7 +1156,7 @@ setting.about.shortcuts.sendPrivateNotification=Envoyer une notification privée
|
|||
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 Bisq 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, Bisq uses explorer nodes run by Bisq 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 Bisq wiki [HYPERLINK:https://bisq.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 BTC après avoir reçu le XMR.\nEn outre, Bisq 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 Bisq Wiki: https://bisq.wiki/Trading_Monero#Auto-confirming_trades
|
||||
####################################################################
|
||||
# Account
|
||||
####################################################################
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Comptes en devise nationale
|
|||
account.menu.altCoinsAccountView=Compte Altcoins
|
||||
account.menu.password=Mot de passe du portefeuille
|
||||
account.menu.seedWords=Seed du portefeuille
|
||||
account.menu.walletInfo=Wallet info
|
||||
account.menu.backup=Sauvegarde
|
||||
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.\nFor Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Clé publique
|
||||
|
||||
|
@ -1181,23 +1201,23 @@ account.altcoin.yourAltcoinAccounts=Vos comptes altcoin
|
|||
account.altcoin.popup.wallet.msg=Veuillez vous assurer que vous respectez les exigences relatives à l''utilisation des {0} portefeuilles, selon les conditions présentées sur la page {1} du site.\nL''utilisation des portefeuilles provenant de plateformes de trading centralisées où (a) vous ne contrôlez pas vos clés ou (b) qui ne disposent pas d''un portefeuille compatible est risquée : cela peut entraîner la perte des fonds échangés!\nLe médiateur et l''arbitre ne sont pas des spécialistes {2} et ne pourront pas intervenir dans ce cas.
|
||||
account.altcoin.popup.wallet.confirm=Je comprends et confirme que je sais quel portefeuille je dois utiliser.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.upx.msg=Trading UPX on Bisq requires that you understand and fulfill the following requirements:\n\nFor sending UPX, you need to use either the official uPlexa GUI wallet or uPlexa CLI wallet with the store-tx-info flag enabled (default in new versions). Please be sure you can access the tx key as that would be required in case of a dispute.\nuplexa-wallet-cli (use the command get_tx_key)\nuplexa-wallet-gui (go to history tab and click on the (P) button for payment proof)\n\nAt normal block explorers the transfer is not verifiable.\n\nYou need to provide the arbitrator the following data in case of a dispute:\n- The tx private key\n- The transaction hash\n- The recipient's public address\n\nFailure to provide the above data, or if you used an incompatible wallet, will result in losing the dispute case. The UPX sender is responsible for providing verification of the UPX transfer to the arbitrator in case of a dispute.\n\nThere is no payment ID required, just the normal public address.\nIf you are not sure about that process visit uPlexa discord channel (https://discord.gg/vhdNSrV) or the uPlexa Telegram Chat (https://t.me/uplexaOfficial) to find more information.
|
||||
account.altcoin.popup.upx.msg=Pour échanger UPX sur Bisq, vous devez comprendre et respecter les exigences suivantes: \n\nPour envoyer UPX, vous devez utiliser le portefeuille officiel UPXmA GUI ou le portefeuille UPXmA CLI avec le logo store-tx-info activé (valeur par défaut dans la nouvelle version) . Assurez-vous d'avoir accès à la clé tx, car elle est nécessaire dans l'état du litige. monero-wallet-cli (à l'aide de la commande get_Tx_key) monero-wallet-gui: sur la page Avancé> Preuve / Vérification. \n\nCes transactions ne sont pas vérifiables dans le navigateur blockchain ordinaire. \n\nEn cas de litige, vous devez fournir à l'arbitre les informations suivantes: \n\n- Clé privée Tx- hachage de transaction- adresse publique du destinataire \n\nSi vous ne fournissez pas les informations ci-dessus ou si vous utilisez un portefeuille incompatible, vous perdrez le litige. En cas de litige, l'expéditeur UPX est responsable de fournir la vérification du transfert UPX à l'arbitre. \n\nAucun paiement d'identité n'est requis, juste une adresse publique commune. \n\nSi vous n'êtes pas sûr du processus, veuillez visiter le canal UPXmA Discord (https://discord.gg/vhdNSrV) ou le groupe d'échanges Telegram (https://t.me/uplexaOfficial) pour plus d'informations.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.arq.msg=Le trading d'ARQ sur Bisq exige que vous compreniez et remplissiez les exigences suivantes:\n\nPour envoyer des ARQ, vous devez utiliser soit le portefeuille officiel ArQmA GUI soit le portefeuille ArQmA CLI avec le flag store-tx-info activé (par défaut dans les nouvelles versions). Veuillez vous assurer que vous pouvez accéder à la tx key car cela pourrait être nécessaire en cas de litige.\narqma-wallet-cli (utiliser la commande get_tx_key)\narqma-wallet-gui (allez dans l'onglet historique et cliquez sur le bouton (P) pour accéder à la preuve de paiement).\n\nAvec un l'explorateur de bloc normal, le transfert n'est pas vérifiable.\n\nVous devez fournir au médiateur ou à l'arbitre les données suivantes en cas de litige:\n- Le tx de la clé privée\n- Le hash de la transaction\n- L'adresse publique du destinataire\n\nSi vous manquez de communiquer les données ci-dessus ou si vous utilisez un portefeuille incompatible, vous perdrez le litige. L'expéditeur des ARQ est responsable de la transmission au médiateur ou à l'arbitre de la vérification du transfert ces informations relatives au litige.\n\nIl n'est pas nécessaire de fournir l'ID du paiement, seulement l'adresse publique normale.\nSi vous n'êtes pas sûr de ce processus, visitez le canal discord ArQmA (https://discord.gg/s9BQpJT) ou le forum ArQmA (https://labs.arqma.com) pour obtenir plus d'informations.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.xmr.msg=Trading XMR on Bisq requires that you understand the following requirement.\n\nIf selling XMR, you must be able to provide the following information to a mediator or arbitrator in case of a dispute:\n- the transaction key (Tx Key, Tx Secret Key or Tx Private Key)\n- the transaction ID (Tx ID or Tx Hash)\n- the destination address (recipient's address)\n\nSee the wiki for details on where to find this information on popular Monero wallets [HYPERLINK:https://bisq.wiki/Trading_Monero#Proving_payments].\nFailure to provide the required transaction data will result in losing disputes.\n\nAlso note that Bisq now offers automatic confirming for XMR transactions to make trades quicker, but you need to enable it in Settings.\n\nSee the wiki for more information about the auto-confirm feature: [HYPERLINK:https://bisq.wiki/Trading_Monero#Auto-confirming_trades].
|
||||
account.altcoin.popup.xmr.msg=Pour échanger XMR sur Bisq, vous devez comprendre et respecter les exigences suivantes: \n\nSi vous vendez XMR, en cas de litige, vous devez fournir au médiateur ou à l'arbitre les informations suivantes: - clé de transaction (clé publique Tx, clé Tx, clé privée Tx) - ID de transaction (ID Tx Ou hachage Tx) - Adresse de destination de la transaction (adresse du destinataire) \n\nConsultez plus d'informations sur le portefeuille Monero dans le wiki: https: //bisq.wiki/Trading_Monero#Proving_payments \n\nSi vous ne fournissez pas les données de transaction requises, vous serez directement jugé échoue dans le litige. \n\nNotez également que Bisq fournit désormais la fonction de confirmation automatique des transactions XMR pour effectuer plus rapidement des transactions, mais vous devez l'activer dans les paramètres. \n\nPour plus d'informations sur la fonction de confirmation automatique, veuillez consulter le Wiki: https: //bisq.wiki/Trading_Monero#Auto-confirming_trades
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.msr.msg=Trading MSR on Bisq requires that you understand and fulfill the following requirements:\n\nFor sending MSR, you need to use either the official Masari GUI wallet, Masari CLI wallet with the store-tx-info flag enabled (enabled by default) or the Masari web wallet (https://wallet.getmasari.org). Please be sure you can access the tx key as that would be required in case of a dispute.\nmasari-wallet-cli (use the command get_tx_key)\nmasari-wallet-gui (go to history tab and click on the (P) button for payment proof)\n\nMasari Web Wallet (goto Account -> transaction history and view details on your sent transaction)\n\nVerification can be accomplished in-wallet.\nmasari-wallet-cli : using command (check_tx_key).\nmasari-wallet-gui : on the Advanced > Prove/Check page.\nVerification can be accomplished in the block explorer \nOpen block explorer (https://explorer.getmasari.org), use the search bar to find your transaction hash.\nOnce transaction is found, scroll to bottom to the 'Prove Sending' area and fill in details as needed.\nYou need to provide the mediator or arbitrator the following data in case of a dispute:\n- The tx private key\n- The transaction hash\n- The recipient's public address\n\nFailure to provide the above data, or if you used an incompatible wallet, will result in losing the dispute case. The MSR sender is responsible for providing verification of the MSR transfer to the mediator or arbitrator in case of a dispute.\n\nThere is no payment ID required, just the normal public address.\nIf you are not sure about that process, ask for help on the Official Masari Discord (https://discord.gg/sMCwMqs).
|
||||
account.altcoin.popup.msr.msg=Le navigateur blockchain pour échanger MSR sur Bisq vous oblige à comprendre et à respecter les exigences suivantes: \n\nLors de l'envoi de MSR, vous devez utiliser le portefeuille officiel Masari GUI, le portefeuille Masari CLI avec le logo store-tx-info activé (activé par défaut) ou le portefeuille web Masari (https://wallet.getmasari.org). Assurez-vous d'avoir accès à la clé tx, car cela est nécessaire en cas de litige. monero-wallet-cli (à l'aide de la commande get_Tx_key) monero-wallet-gui: sur la page Avancé> Preuve / Vérification. \n\nLe portefeuille web Masari (accédez à Compte-> Historique des transactions et vérifiez les détails de la transaction que vous avez envoyés) \n\nLa vérification peut être effectuée dans le portefeuille. monero-wallet-cli: utilisez la commande (check_tx_key). monero-wallet-gui: sur la page Avancé> Preuve / Vérification La vérification peut être effectuée dans le navigateur blockchain. Ouvrez le navigateur blockchain (https://explorer.getmasari.org) et utilisez la barre de recherche pour trouver votre hachage de transaction. Une fois que vous avez trouvé la transaction, faites défiler jusqu'à la zone «certificat à envoyer» en bas et remplissez les détails requis. En cas de litige, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: - Clé privée Tx- Hachage de transaction- Adresse publique du destinataire \n\nAucun ID de transaction n'est requis, seule une adresse publique normale est requise. Si vous ne fournissez pas les informations ci-dessus ou si vous utilisez un portefeuille incompatible, vous perdrez le litige. En cas de litige, l'expéditeur XMR est responsable de fournir la vérification du transfert XMR au médiateur ou un arbitre. \n\nSi vous n'êtes pas sûr du processus, veuillez visiter le Masari Discord officiel (https://discord.gg/sMCwMqs) pour obtenir de l'aide.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.blur.msg=Trading BLUR on Bisq requires that you understand and fulfill the following requirements:\n\nTo send BLUR you must use the Blur Network CLI or GUI Wallet. \n\nIf you are using the CLI wallet, a transaction hash (tx ID) will be displayed after a transfer is sent. You must save this information. Immediately after sending the transfer, you must use the command 'get_tx_key' to retrieve the transaction private key. If you fail to perform this step, you may not be able to retrieve the key later. \n\nIf you are using the Blur Network GUI Wallet, the transaction private key and transaction ID can be found conveniently in the "History" tab. Immediately after sending, locate the transaction of interest. Click the "?" symbol in the lower-right corner of the box containing the transaction. You must save this information. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1.) the transaction ID, 2.) the transaction private key, and 3.) the recipient's address. The mediator or arbitrator will then verify the BLUR transfer using the Blur Transaction Viewer (https://blur.cash/#tx-viewer).\n\nFailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the BLUR sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the Blur Network Discord (https://discord.gg/dMWaqVW).
|
||||
account.altcoin.popup.blur.msg=ntes: \n\nPour envoyer des informations anonymes, vous devez utiliser un portefeuille CLI ou GUI de réseau anonyme. Si vous utilisez un portefeuille CLI, le hachage de la transaction (tx ID) sera affiché après la transmission. Vous devez enregistrer ces informations. Après l'envoi de la transmission, vous devez immédiatement utiliser la commande «get_tx_key» pour récupérer la clé privée de la transaction. Si vous ne parvenez pas à effectuer cette étape, vous ne pourrez peut-être pas récupérer la clé ultérieurement. \n\nSi vous utilisez le portefeuille Blur Network GUI, vous pouvez facilement trouver la clé privée de transaction et l'ID de transaction dans l'onglet «Historique». Localisez la transaction d'intérêt immédiatement après l'envoi. Cliquez sur le symbole «?» dans le coin inférieur droit de la boîte contenant la transaction. Vous devez enregistrer ces informations. \n\nSi un arbitrage est nécessaire, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: 1.) ID de transaction, 2.) clé privée de transaction, 3.) adresse du destinataire. Le processus de médiation ou d'arbitrage utilisera le visualiseur de transactions BLUR (https://blur.cash/#tx-viewer) pour vérifier les transferts BLUR. \n\nLe défaut de fournir les informations nécessaires au médiateur ou à l'arbitre entraînera la perte du litige. Dans tous les litiges, l'expéditeur anonyme porte à 100% la responsabilité de vérifier la transaction avec le médiateur ou l'arbitre. \n\nSi vous ne comprenez pas ces exigences, n'échangez pas sur Bisq. Tout d'abord, demandez de l'aide dans Blur Network Discord (https://discord.gg/dMWaqVW).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.solo.msg=Trading Solo on Bisq requires that you understand and fulfill the following requirements:\n\nTo send Solo you must use the Solo Network CLI Wallet. \n\nIf you are using the CLI wallet, a transaction hash (tx ID) will be displayed after a transfer is sent. You must save this information. Immediately after sending the transfer, you must use the command 'get_tx_key' to retrieve the transaction private key. If you fail to perform this step, you may not be able to retrieve the key later. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1.) the transaction ID, 2.) the transaction private key, and 3.) the recipient's address. The mediator or arbitrator will then verify the Solo transfer using the Solo Block Explorer by searching for the transaction and then using the "Prove sending" function (https://explorer.minesolo.com/).\n\nfailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the Solo sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the Solo Network Discord (https://discord.minesolo.com/).
|
||||
account.altcoin.popup.solo.msg=Echanger Solo sur Bisq nécessite que vous compreniez et remplissiez les conditions suivantes: \n\nPour envoyer Solo, vous devez utiliser la version 5.1.3 ou supérieure du portefeuille Web Solo CLI. \n\nSi vous utilisez un portefeuille CLI, après l'envoi de la transaction, ID de transaction sera affiché. Vous devez enregistrer ces informations. Après avoir envoyé la transaction, vous devez immédiatement utiliser la commande «get_tx_key» pour récupérer la clé de transaction. Si vous ne parvenez pas à effectuer cette étape, vous ne pourrez peut-être pas récupérer la clé ultérieurement. \n\nSi un arbitrage est nécessaire, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: 1) ID de transaction, 2) clé de transaction, 3) adresse du destinataire. Le médiateur ou l'arbitre utilisera l’explorateur de blocs Solo (https://explorer.Solo.org) pour rechercher des transactions puis utilisera la fonction «envoyer une preuve» (https://explorer.minesolo.com/). \n\nLe défaut de fournir les informations nécessaires au médiateur ou à l'arbitre entraînera la perte de l'affaire. Dans tous les cas de litige, l'expéditeur de QWC assume à 100% la responsabilité lors de la vérification de la transaction avec le médiateur ou l'arbitre. \n\nSi vous ne comprenez pas ces exigences, n'échangez pas sur Bisq. Tout d'abord, demandez de l'aide dans Solo Discord (https://discord.minesolo.com/).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.cash2.msg=Trading CASH2 on Bisq requires that you understand and fulfill the following requirements:\n\nTo send CASH2 you must use the Cash2 Wallet version 3 or higher. \n\nAfter a transaction is sent, the transaction ID will be displayed. You must save this information. Immediately after sending the transaction, you must use the command 'getTxKey' in simplewallet to retrieve the transaction secret key. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1) the transaction ID, 2) the transaction secret key, and 3) the recipient's Cash2 address. The mediator or arbitrator will then verify the CASH2 transfer using the Cash2 Block Explorer (https://blocks.cash2.org).\n\nFailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the CASH2 sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the Cash2 Discord (https://discord.gg/FGfXAYN).
|
||||
account.altcoin.popup.cash2.msg=Pour échanger CASH2 sur Bisq, vous devez comprendre et respecter les exigences suivantes: \n\nPour envoyer CASH2, vous devez utiliser la version 3 ou supérieure du portefeuille CASH2. \n\nAprès l'envoi de la transaction, ID de la transaction s'affiche. Vous devez enregistrer ces informations. Après avoir envoyé la transaction, vous devez utiliser la commande «getTxKey» dans simplewallet pour récupérer immédiatement la clé de transaction.\n\nSi un arbitrage est nécessaire, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: 1) ID de transaction, 2) clé de transaction, 3) adresse CASH2 du destinataire. Le médiateur ou l'arbitre utilisera l’explorateur de blocs CASH2 (https://blocks.cash2.org) pour vérifier le transfert CASH2. \n\nLe défaut de fournir les informations nécessaires au médiateur ou à l'arbitre entraînera la perte de l'affaire. Dans tous les cas de litige, l'expéditeur de CASH2 assume à 100% la responsabilité lors de la vérification de la transaction avec le médiateur ou l'arbitre. \n\nSi vous ne comprenez pas ces exigences, n'échangez pas sur Bisq. Tout d'abord, demandez de l'aide dans le Discord Cash2 (https://discord.gg/FGfXAYN).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.qwertycoin.msg=Trading Qwertycoin on Bisq requires that you understand and fulfill the following requirements:\n\nTo send QWC you must use the official QWC Wallet version 5.1.3 or higher. \n\nAfter a transaction is sent, the transaction ID will be displayed. You must save this information. Immediately after sending the transaction, you must use the command 'get_Tx_Key' in simplewallet to retrieve the transaction secret key. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1) the transaction ID, 2) the transaction secret key, and 3) the recipient's QWC address. The mediator or arbitrator will then verify the QWC transfer using the QWC Block Explorer (https://explorer.qwertycoin.org).\n\nFailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the QWC sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the QWC Discord (https://discord.gg/rUkfnpC).
|
||||
account.altcoin.popup.qwertycoin.msg=Pour échanger Qwertycoin sur Bisq, vous devez comprendre et respecter les exigences suivantes: \n\nPour envoyer Qwertycoin, vous devez utiliser la version 5.1.3 ou supérieure du portefeuille Qwertycoin. \n\nAprès l'envoi de la transaction, ID de la transaction s'affiche. Vous devez enregistrer ces informations. Après avoir envoyé la transaction, vous devez utiliser la commande «get_Tx_Key» dans simplewallet pour récupérer immédiatement la clé de transaction. \n\nSi un arbitrage est nécessaire, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: 1) ID de transaction, 2) clé de transaction, 3) adresse QWC du destinataire. Le médiateur ou l'arbitre utilisera l’explorateur de blocs QWC (https://explorer.qwertycoin.org) pour vérifier les transferts QWC. \n\nLe défaut de fournir les informations nécessaires au médiateur ou à l'arbitre entraînera la perte de l'affaire. Dans tous les cas de litige, l'expéditeur de QWC assume à 100% la responsabilité lors de la vérification de la transaction avec le médiateur ou l'arbitre. \n\nSi vous ne comprenez pas ces exigences, n'échangez pas sur Bisq. Tout d'abord, demandez de l'aide dans QWC Discord (https://discord.gg/rUkfnpC).
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.drgl.msg=Trading Dragonglass on Bisq requires that you understand and fulfill the following requirements:\n\nBecause of the privacy Dragonglass provides, a transaction is not verifiable on the public blockchain. If required, you can prove your payment through the use of your TXN-Private-Key.\nThe TXN-Private Key is a one-time key automatically generated for every transaction that can only be accessed from within your DRGL wallet.\nEither by DRGL-wallet GUI (inside transaction details dialog) or by the Dragonglass CLI simplewallet (using command "get_tx_key").\n\nDRGL version 'Oathkeeper' and higher are REQUIRED for both.\n\nIn case of a dispute, you must provide the mediator or arbitrator the following data:\n- The TXN-Private key\n- The transaction hash\n- The recipient's public address\n\nVerification of payment can be made using the above data as inputs at (http://drgl.info/#check_txn).\n\nFailure to provide the above data, or if you used an incompatible wallet, will result in losing the dispute case. The Dragonglass sender is responsible for providing verification of the DRGL transfer to the mediator or arbitrator in case of a dispute. Use of PaymentID is not required.\n\nIf you are unsure about any part of this process, visit Dragonglass on Discord (http://discord.drgl.info) for help.
|
||||
account.altcoin.popup.drgl.msg=Echanger Dragonglass sur Bisq vous oblige à comprendre et à respecter les exigences suivantes: ~\n\nComme Dragonglass offre une protection de la confidentialité, les transactions ne peuvent pas être vérifiées sur la blockchain publique. Si nécessaire, vous pouvez prouver votre paiement en utilisant votre TXN-Private-Key. TXN-Private est une clé d'un temps générée automatiquement, utilisée pour chaque transaction qui est accessible uniquement à partir du portefeuille DESP. Soit via DRGL-wallet GUI (boîte de dialogue des détails de transaction interne), soit via Dragonglass CLI simplewallet (en utilisant la commande "get_tx_key"). \n\nLes deux nécessitent la version DRGL de «Oathkeeper» ou supérieure. \n\nEn cas de litige, vous devez fournir les informations suivantes au médiateur ou à l'arbitre: \n\n- txn-Privite-ket- hachage de transaction- adresse publique du destinataire ~\n\nLa vérification du paiement peut utiliser les données ci-dessus comme entrée (http://drgl.info/#check_txn).\n\nSi vous ne fournissez pas les informations ci-dessus ou si vous utilisez un portefeuille incompatible, vous perdrez le litige. L'expéditeur Dragonglass est responsable de fournir la vérification de transfert DRGL au médiateur ou à l'arbitre en cas de litige. Aucun ID de paiement n'est requis. \n\nSi vous n'êtes pas sûr d'une partie de ce processus, veuillez visiter Dragonglass sur (http://discord.drgl.info) pour obtenir de l'aide.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.ZEC.msg=Lors de l'utilisation de Zcash, vous ne pouvez utiliser que les adresses transparentes (commençant par t), et non les z-adresses (privées), car le médiateur ou l'arbitre ne seraient pas en mesure de vérifier la transaction avec les z-adresses.
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -1207,13 +1227,13 @@ account.altcoin.popup.grin.msg=GRIN nécessite un échange interactif entre l'é
|
|||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.beam.msg=BEAM nécessite un processus interactif entre l'émetteur et le récepteur pour créer la transaction.\n\nAssurez-vous de suivre les instructions de la page Web du projet BEAM pour envoyer et recevoir les BEAM de façon fiable (le récepteur doit être en ligne pendant au moins un certain temps).\n\nL'expéditeur de BEAM est tenu de fournir la preuve qu'il a envoyé BEAM avec succès. Assurez-vous d'utiliser un portefeuille qui peut produire une telle preuve. Si le portefeuille ne peut fournir la preuve, un litige potentiel sera résolu en faveur du récepteur des BEAM.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.pars.msg=Trading ParsiCoin on Bisq requires that you understand and fulfill the following requirements:\n\nTo send PARS you must use the official ParsiCoin Wallet version 3.0.0 or higher. \n\nYou can Check your Transaction Hash and Transaction Key on Transactions Section on your GUI Wallet (ParsiPay) You need to right Click on the Transaction and then click on show details. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1) the Transaction Hash, 2) the Transaction Key, and 3) the recipient's PARS address. The mediator or arbitrator will then verify the PARS transfer using the ParsiCoin Block Explorer (http://explorer.parsicoin.net/#check_payment).\n\nFailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the ParsiCoin sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the ParsiCoin Discord (https://discord.gg/c7qmFNh).
|
||||
account.altcoin.popup.pars.msg=Echanger ParsiCoin sur Bisq nécessite que vous compreniez et remplissiez les conditions suivantes: \n\nPour envoyer PARS, vous devez utiliser la version 3.0.0 ou supérieure du portefeuille ParsiCoin officiel. \n\nVous pouvez vérifier votre hachage de transaction et votre clé de transaction dans la section transaction du portefeuille GUI (ParsiPay). Vous devez cliquer avec le bouton droit de la souris sur «Transaction» puis cliquer sur «Afficher les détails». \n\nSi l'arbitrage est à 100% nécessaire, vous devez fournir au médiateur ou à l'arbitre les éléments suivants: 1) hachage de transaction, 2) clé de transaction et 3) adresse PARS du destinataire. Le médiateur ou l'arbitre utilisera l’explorateur de blocs ParsiCoin (http://explorer.parsicoin.net/#check_payment) pour vérifier les transmissions PARS. \n\nSi vous ne comprenez pas ces exigences, n'échangez pas sur Bisq. Tout d'abord, demandez de l'aide sur le ParsiCoin Discord (https://discord.gg/c7qmFNh).
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.blk-burnt.msg=To trade burnt blackcoins, you need to know the following:\n\nBurnt blackcoins are unspendable. To trade them on Bisq, 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.
|
||||
account.altcoin.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 Bisq, 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.altcoin.popup.liquidbitcoin.msg=Trading L-BTC on Bisq requires that you understand the following:\n\nWhen receiving L-BTC for a trade on Bisq, 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 Bisq 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 Bisq.
|
||||
account.altcoin.popup.liquidbitcoin.msg=Pour échanger L-BTC sur Bisq, vous devez comprendre les termes suivants: \n\nLorsque vous acceptez des transactions L-BTC sur Bisq, 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 Bisq 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 Bisq.
|
||||
|
||||
account.fiat.yourFiatAccounts=Vos comptes en devise nationale
|
||||
|
||||
|
@ -1235,7 +1255,7 @@ account.password.info=Avec la protection par mot de passe, vous devrez entrer vo
|
|||
|
||||
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.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://bisq.wiki/Backing_up_application_data] for extended info.
|
||||
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 Bisq: https://bisq.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
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Remplissez votre adresse de destination
|
|||
dao.wallet.send.send=Envoyer des fonds en BSQ
|
||||
dao.wallet.send.sendBtc=Envoyer des fonds en BTC
|
||||
dao.wallet.send.sendFunds.headline=Confirmer la demande de retrait
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Dernier bloc vérifié: {0}
|
||||
dao.wallet.chainHeightSyncing=En attente des blocs.... {0} Blocs vérifiés sur {1}.
|
||||
dao.wallet.tx.type=Type
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Transactions BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Moyenne sur 90 jours du prix d'échange BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Moyenne sur 30 jours du prix d'échange BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalisation boursière (basé sur la valeur d'échange)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=BSQ disponible au total
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ issued v. BSQ burnt
|
||||
|
@ -1989,9 +2009,9 @@ displayUpdateDownloadWindow.button.downloadLater=Télécharger plus tard
|
|||
displayUpdateDownloadWindow.button.ignoreDownload=Ignorer cette version
|
||||
displayUpdateDownloadWindow.headline=Une nouvelle mise à jour Bisq est disponible !
|
||||
displayUpdateDownloadWindow.download.failed.headline=Echec du téléchargement
|
||||
displayUpdateDownloadWindow.download.failed=Download failed.\nPlease download and verify manually at [HYPERLINK:https://bisq.network/downloads]
|
||||
displayUpdateDownloadWindow.installer.failed=Unable to determine the correct installer. Please download and verify manually at [HYPERLINK:https://bisq.network/downloads]
|
||||
displayUpdateDownloadWindow.verify.failed=Verification failed.\nPlease download and verify manually at [HYPERLINK:https://bisq.network/downloads]
|
||||
displayUpdateDownloadWindow.download.failed=Téléchargement échoué. Veuillez télécharger et vérifier via https://bisq.io/downloads
|
||||
displayUpdateDownloadWindow.installer.failed=Impossible de déterminer le bon programme d'installation. Veuillez télécharger et vérifier manuellement via https://bisq.network/downloads .
|
||||
displayUpdateDownloadWindow.verify.failed=Vérification échouée. Veuillez télécharger et vérifier manuellement via https://bisq.io/downloads
|
||||
displayUpdateDownloadWindow.success=La nouvelle version a été téléchargée avec succès et la signature vérifiée.\n\nVeuillez ouvrir le répertoire de téléchargement, fermer l'application et installer la nouvelle version.
|
||||
displayUpdateDownloadWindow.download.openDir=Ouvrir le répertoire de téléchargement
|
||||
|
||||
|
@ -2000,7 +2020,7 @@ 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=BTC {0} à reçu l''intégralité
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Versement personnalisé
|
||||
disputeSummaryWindow.payoutAmount.buyer=Montant du versement de l'acheteur
|
||||
disputeSummaryWindow.payoutAmount.seller=Montant du versement au vendeur
|
||||
|
@ -2023,15 +2043,15 @@ disputeSummaryWindow.reason.OTHER=Autre
|
|||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.BANK_PROBLEMS=Banque
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.OPTION_TRADE=Option trade
|
||||
disputeSummaryWindow.reason.OPTION_TRADE=Transaction facultative
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.SELLER_NOT_RESPONDING=Seller not responding
|
||||
disputeSummaryWindow.reason.SELLER_NOT_RESPONDING=Le vendeur n'a pas répondu.
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.WRONG_SENDER_ACCOUNT=Wrong sender account
|
||||
disputeSummaryWindow.reason.WRONG_SENDER_ACCOUNT=Mauvais compte d'expéditeur
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.PEER_WAS_LATE=Peer was late
|
||||
disputeSummaryWindow.reason.PEER_WAS_LATE=Le partenaire commercial a expiré.
|
||||
# suppress inspection "UnusedProperty"
|
||||
disputeSummaryWindow.reason.TRADE_ALREADY_SETTLED=Trade already settled
|
||||
disputeSummaryWindow.reason.TRADE_ALREADY_SETTLED=La transaction s'est stabilisée.
|
||||
|
||||
disputeSummaryWindow.summaryNotes=Notes de synthèse
|
||||
disputeSummaryWindow.addSummaryNotes=Ajouter des notes de synthèse
|
||||
|
@ -2039,13 +2059,13 @@ 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=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=Le ticket a été fermé {0}\n {1} Adresse du nœud: {2} \n\nRésumé: \nID de transaction: {3} \nMonnaie: {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
|
||||
|
||||
# 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}
|
||||
|
||||
disputeSummaryWindow.close.nextStepsForMediation=\nNext steps:\nOpen trade and accept or reject suggestion from mediator
|
||||
disputeSummaryWindow.close.nextStepsForRefundAgentArbitration=\nNext steps:\nNo further action is required from you. If the arbitrator decided in your favor, you'll see a "Refund from arbitration" transaction in Funds/Transactions
|
||||
disputeSummaryWindow.close.nextStepsForMediation=\n\nÉtape suivante:\nOuvrez la transaction inachevée, acceptez ou rejetez la suggestion du médiateur
|
||||
disputeSummaryWindow.close.nextStepsForRefundAgentArbitration=\n\nÉtape suivante: \nAucune autre action n'est requise de votre part. Si l'arbitre rend une décision en votre faveur, vous verrez la transaction «Remboursement d'arbitrage» sur la page Fonds / Transactions
|
||||
disputeSummaryWindow.close.closePeer=Vous devez également clore le ticket des pairs de trading !
|
||||
disputeSummaryWindow.close.txDetails.headline=Publier la transaction de remboursement
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
|
@ -2054,8 +2074,8 @@ disputeSummaryWindow.close.txDetails.buyer=L''acheteur reçoit {0} à l''adresse
|
|||
disputeSummaryWindow.close.txDetails.seller=Le vendeur reçoit {0} à l''adresse: {1}\n
|
||||
disputeSummaryWindow.close.txDetails=Spending: {0}\n{1}{2}Transaction fee: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nAre you sure you want to publish this transaction?
|
||||
|
||||
disputeSummaryWindow.close.noPayout.headline=Close without any payout
|
||||
disputeSummaryWindow.close.noPayout.text=Do you want to close without doing any payout?
|
||||
disputeSummaryWindow.close.noPayout.headline=Fermé sans paiement
|
||||
disputeSummaryWindow.close.noPayout.text=Voulez-vous fermer sans paiement ?
|
||||
|
||||
emptyWalletWindow.headline={0} Outil de secours du portefeuille
|
||||
emptyWalletWindow.info=Veuillez utiliser ceci qu'en cas d'urgence si vous ne pouvez pas accéder à vos fonds à partir de l'interface utilisateur.\n\nVeuillez remarquer que touts les ordres en attente seront automatiquement fermés lors de l'utilisation de cet outil.\n\nAvant d'utiliser cet outil, veuillez sauvegarder votre répertoire de données. Vous pouvez le faire sur \"Compte/sauvegarde\".\n\nVeuillez nous signaler votre problème et déposer un rapport de bug sur GitHub ou sur le forum Bisq afin que nous puissions enquêter sur la source du problème.
|
||||
|
@ -2076,8 +2096,8 @@ filterWindow.onions=Adresses onion filtrées (virgule de sep.)
|
|||
filterWindow.accounts=Données filtrées du compte de trading:\nFormat: séparer par une virgule liste des [ID du mode de paiement | champ de données | valeur].
|
||||
filterWindow.bannedCurrencies=Codes des devises filtrées (séparer avec une virgule.)
|
||||
filterWindow.bannedPaymentMethods=IDs des modes de paiements filtrés (séparer avec une virgule.)
|
||||
filterWindow.bannedAccountWitnessSignerPubKeys=Filtered account witness signer pub keys (comma sep. hex of pub keys)
|
||||
filterWindow.bannedPrivilegedDevPubKeys=Filtered privileged dev pub keys (comma sep. hex of pub keys)
|
||||
filterWindow.bannedAccountWitnessSignerPubKeys=Clé publique filtrée du signataire du témoin de compte (clé publique hexadécimale séparée par des virgules)
|
||||
filterWindow.bannedPrivilegedDevPubKeys=Clé publique filtrée de développeur privilégiée (clé publique hexadécimale séparée par des virgules)
|
||||
filterWindow.arbitrators=Arbitres filtrés (adresses onion séparées par une virgule)
|
||||
filterWindow.mediators=Médiateurs filtrés (adresses onion sep. par une virgule)
|
||||
filterWindow.refundAgents=Agents de remboursement filtrés (adresses onion sep. par virgule)
|
||||
|
@ -2086,13 +2106,13 @@ filterWindow.priceRelayNode=Nœuds relais avec prix filtrés (adresses onion sé
|
|||
filterWindow.btcNode=Nœuds Bitcoin filtrés (adresses séparées par une virgule + port)
|
||||
filterWindow.preventPublicBtcNetwork=Empêcher l'utilisation du réseau public Bitcoin
|
||||
filterWindow.disableDao=Désactiver la DAO
|
||||
filterWindow.disableAutoConf=Disable auto-confirm
|
||||
filterWindow.disableAutoConf=Désactiver la confirmation automatique
|
||||
filterWindow.autoConfExplorers=Filtered auto-confirm explorers (comma sep. addresses)
|
||||
filterWindow.disableDaoBelowVersion=Version minimale requise pour la DAO
|
||||
filterWindow.disableTradeBelowVersion=Version min. nécessaire pour pouvoir échanger
|
||||
filterWindow.add=Ajouter le filtre
|
||||
filterWindow.remove=Retirer le filtre
|
||||
filterWindow.btcFeeReceiverAddresses=BTC fee receiver addresses
|
||||
filterWindow.btcFeeReceiverAddresses=Adresse de réception des frais Bitcoin
|
||||
|
||||
offerDetailsWindow.minBtcAmount=Montant BTC min.
|
||||
offerDetailsWindow.min=(min. {0})
|
||||
|
@ -2111,7 +2131,7 @@ offerDetailsWindow.creationDate=Date de création
|
|||
offerDetailsWindow.makersOnion=Adresse onion du maker
|
||||
|
||||
qRCodeWindow.headline=QR Code
|
||||
qRCodeWindow.msg=Please use this QR code for funding your Bisq wallet from your external wallet.
|
||||
qRCodeWindow.msg=Veuillez utiliser le code QR pour recharger du portefeuille externe au portefeuille Bisq.
|
||||
qRCodeWindow.request=Demande de paiement:\n{0}
|
||||
|
||||
selectDepositTxWindow.headline=Sélectionner la transaction de dépôt en cas de litige
|
||||
|
@ -2134,10 +2154,10 @@ sendPrivateNotificationWindow.send=Envoyer une notification privée
|
|||
showWalletDataWindow.walletData=Données du portefeuille
|
||||
showWalletDataWindow.includePrivKeys=Inclure les clés privées
|
||||
|
||||
setXMRTxKeyWindow.headline=Prove sending of XMR
|
||||
setXMRTxKeyWindow.note=Adding tx info below enables auto-confirm for quicker trades. See more: https://bisq.wiki/Trading_Monero
|
||||
setXMRTxKeyWindow.txHash=Transaction ID (optional)
|
||||
setXMRTxKeyWindow.txKey=Transaction key (optional)
|
||||
setXMRTxKeyWindow.headline=La preuve XMR a été envoyée.
|
||||
setXMRTxKeyWindow.note=Ajoutez les informations tx au-dessous pour confirmer automatiquement les transactions plus rapidement. Plus d'informations: https://bisq.wiki/Trading_Monero
|
||||
setXMRTxKeyWindow.txHash=ID de transaction (en option)
|
||||
setXMRTxKeyWindow.txKey=Clé de transaction (en option)
|
||||
|
||||
# We do not translate the tac because of the legal nature. We would need translations checked by lawyers
|
||||
# in each language which is too expensive atm.
|
||||
|
@ -2151,9 +2171,10 @@ tradeDetailsWindow.disputedPayoutTxId=ID de la transaction de versement contest
|
|||
tradeDetailsWindow.tradeDate=Date de l'échange
|
||||
tradeDetailsWindow.txFee=Frais de minage
|
||||
tradeDetailsWindow.tradingPeersOnion=Adresse onion du pair de trading
|
||||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradingPeersPubKeyHash=Valeur de hachage de la clé publique du partenaire commercial
|
||||
tradeDetailsWindow.tradeState=État du trade
|
||||
tradeDetailsWindow.agentAddresses=Arbitre/Médiateur
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Entrer le mot de passe pour déverouiller
|
||||
|
||||
|
@ -2213,9 +2234,9 @@ error.closedTradeWithUnconfirmedDepositTx=La transaction de dépôt de l''échan
|
|||
error.closedTradeWithNoDepositTx=La transaction de dépôt de l'échange fermé avec l''ID d'échange {0} est nulle.\n\nVeuillez redémarrer l''application pour nettoyer la liste des transactions fermées.
|
||||
|
||||
popup.warning.walletNotInitialized=Le portefeuille n'est pas encore initialisé
|
||||
popup.warning.osxKeyLoggerWarning=Due to stricter security measures in macOS 10.14 and above, launching a Java application (Bisq uses Java) causes a popup warning in macOS ('Bisq would like to receive keystrokes from any application').\n\nTo avoid that issue please open your 'macOS Settings' and go to 'Security & Privacy' -> 'Privacy' -> 'Input Monitoring' and Remove 'Bisq' from the list on the right side.\n\nBisq will upgrade to a newer Java version to avoid that issue as soon the technical limitations (Java packager for the required Java version is not shipped yet) are resolved.
|
||||
popup.warning.osxKeyLoggerWarning=En raison de mesures de sécurité plus strictes dans MacOS 10.14 et dans la version supérieure, le lancement d'une application Java (Bisq utilise Java) provoquera un avertissement pop-up dans MacOS (« Bisq souhaite recevoir les frappes de toute application »). \n\nPour éviter ce problème, veuillez ouvrir «Paramètres MacOS», puis allez dans «Sécurité et confidentialité» -> «Confidentialité» -> «Surveillance des entrées», puis supprimez «Bisq» de la liste de droite. \n\nUne fois les limitations techniques résolues (le packager Java de la version Java requise n'a pas été livré), Bisq effectuera une mise à niveau vers la nouvelle version Java pour éviter ce problème.
|
||||
popup.warning.wrongVersion=Vous avez probablement une mauvaise version de Bisq sur cet ordinateur.\nL''architecture de votre ordinateur est: {0}.\nLa binary Bisq que vous avez installé est: {1}.\nVeuillez éteindre et réinstaller une bonne version ({2}).
|
||||
popup.warning.incompatibleDB=We detected incompatible data base files!\n\nThose database file(s) are not compatible with our current code base:\n{0}\n\nWe made a backup of the corrupted file(s) and applied the default values to a new database version.\n\nThe backup is located at:\n{1}/db/backup_of_corrupted_data.\n\nPlease check if you have the latest version of Bisq installed.\nYou can download it at: [HYPERLINK:https://bisq.network/downloads].\n\nPlease restart the application.
|
||||
popup.warning.incompatibleDB=Nous avons détecté un fichier de base de données incompatible!\n\nCes fichiers de base de données ne sont pas compatibles avec notre base de code actuelle: {0}\n\nNous avons sauvegardé les fichiers endommagés et appliqué les valeurs par défaut à la nouvelle version de la base de données.\n\nLa sauvegarde se trouve dans: \n\n{1} / db / backup_of_corrupted_data. \n\nVeuillez vérifier si vous avez installé la dernière version de Bisq. \n\nVous pouvez télécharger: \n\nhttps://bisq.network/downloads \n\nVeuillez redémarrer l'application.
|
||||
popup.warning.startupFailed.twoInstances=Bisq est déjà lancé. Vous ne pouvez pas lancer deux instances de bisq.
|
||||
popup.warning.tradePeriod.halfReached=Votre transaction avec ID {0} a atteint la moitié de la période de trading maximale autorisée et n''est toujours pas terminée.\n\nLa période de trade se termine le {1}.\n\nVeuillez vérifier l''état de votre transaction dans \"Portfolio/échanges en cours\" pour obtenir de plus amples informations.
|
||||
popup.warning.tradePeriod.ended=Votre échange avec l''ID {0} a atteint la période de trading maximale autorisée et n''est pas terminé.\n\nLa période d''échange s''est terminée le {1}.\n\nVeuillez vérifier votre transaction sur \"Portfolio/Echanges en cours\" pour contacter le médiateur.
|
||||
|
@ -2226,6 +2247,7 @@ 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=The Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Vous êtes certain de vouloir retirer cet ordre?\nLes frais du maker de {0} seront perdus si vous retirez 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%
|
||||
|
@ -2235,7 +2257,7 @@ popup.warning.insufficientBtcFundsForBsqTx=Vous ne disposez pas de suffisamment
|
|||
popup.warning.bsqChangeBelowDustException=Cette transaction crée une BSQ change output qui est inférieure à la dust limit (5,46 BSQ) et serait rejetée par le réseau Bitcoin.\n\nVous devez soit envoyer un montant plus élevé pour éviter la change output (par exemple en ajoutant le montant de dust à votre montant d''envoi), soit ajouter plus de fonds BSQ à votre portefeuille pour éviter de générer une dust output.\n\nLa dust output est {0}.
|
||||
popup.warning.btcChangeBelowDustException=Cette transaction crée une change output qui est inférieure à la dust limit (546 Satoshi) et serait rejetée par le réseau Bitcoin.\n\nVous devez ajouter la quantité de dust à votre montant envoyé pour éviter de générer une dust output.\n\nLa dust output est {0}.
|
||||
|
||||
popup.warning.insufficientBsqFundsForBtcFeePayment=You''ll need more BSQ to do this transaction—the last 5.46 BSQ in your wallet cannot be used to pay trade fees because of dust limits in the Bitcoin protocol.\n\nYou can either buy more BSQ or pay trade fees with BTC.\n\nMissing funds: {0}
|
||||
popup.warning.insufficientBsqFundsForBtcFeePayment=Vous avez besoin de plus de BSQ pour effectuer cette transaction - le dernier 5,46 BSQ restant dans le portefeuille ne sera pas utilisé pour payer les frais de transaction en raison de la limite fractionnaire dans l'accord BTC. \n\nVous pouvez acheter plus de BSQ ou utiliser BTC pour payer les frais de transaction\n\nManque de fonds BSQ: {0}
|
||||
popup.warning.noBsqFundsForBtcFeePayment=Votre portefeuille BSQ ne dispose pas de suffisamment de fonds pour payer les frais de transaction en BSQ.
|
||||
popup.warning.messageTooLong=Votre message dépasse la taille maximale autorisée. Veuillez l'envoyer en plusieurs parties ou le télécharger depuis un service comme https://pastebin.com.
|
||||
popup.warning.lockedUpFunds=Vous avez des fonds bloqués d''une transaction qui a échoué.\nSolde bloqué: {0}\nAdresse de la tx de dépôt: {1}\nID de l''échange: {2}.\n\nVeuillez ouvrir un ticket de support en sélectionnant la transaction dans l'écran des transactions ouvertes et en appuyant sur \"alt + o\" ou \"option + o\".
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=La transaction de frais de maker pour
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=frais de transaction
|
||||
popup.warning.trade.txRejected.deposit=dépôt
|
||||
popup.warning.trade.txRejected=La transaction {0} pour l''échange avec ID {1} a été rejetée par le réseau Bitcoin.\nID de transaction={2}.\nL''échange a été déplacé vers les échanges en échec.\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 Bisq est disponible sur Keybase.
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
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 Bisq est disponible sur Keybase.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Veuillez vous assurer d''avoir une succursale de l''
|
|||
popup.info.cashDepositInfo.confirm=Je confirme que je peux effectuer le dépôt.
|
||||
popup.info.shutDownWithOpenOffers=Bisq est en cours de fermeture, mais des ordres sont en attente.\n\nCes ordres ne seront pas disponibles sur le réseau P2P si Bisq est éteint, mais ils seront republiés sur le réseau P2P la prochaine fois que vous lancerez Bisq.\n\nPour garder vos ordres en ligne, laissez Bisq en marche et assurez-vous que cet ordinateur reste aussi en ligne (pour cela, assurez-vous qu'il ne passe pas en mode veille...la veille du moniteur ne pose aucun problème).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Notification privée importante!
|
||||
|
||||
|
@ -2271,7 +2294,7 @@ 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.bitcoinLocalhostNode.msg=Bisq a détecté un noeud Bitcoin Core fonctionnant localement (sur localhost).\nVeuillez vous assurer que ce nœud est entièrement synchronisé avant de lancer Bisq et qu'il ne fonctionne pas en mode restreint.
|
||||
popup.bitcoinLocalhostNode.additionalRequirements=\n\nFor a well configured node, the requirements are for the node to have pruning disabled and bloom filters enabled.
|
||||
popup.bitcoinLocalhostNode.additionalRequirements=\n\nPour un nœud entièrement configuré, il est nécessaire de désactiver le pruning et d'activer les bloom filters.
|
||||
|
||||
popup.shutDownInProgress.headline=Fermeture en cours
|
||||
popup.shutDownInProgress.msg=La fermeture de l'application nécessite quelques secondes.\nVeuillez ne pas interrompre ce processus.
|
||||
|
@ -2514,7 +2537,7 @@ seed.warn.walletNotEmpty.msg=Your Bitcoin wallet is not empty.\n\nYou must empty
|
|||
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 ?
|
||||
seed.warn.walletDateEmpty=As you have not specified a wallet date, bisq will have to scan the blockchain from 2013.10.09 (the BIP39 epoch date).\n\nBIP39 wallets were first introduced in bisq on 2017.06.28 (release v0.5). So you could save time by using that date.\n\nIdeally you should specify the date your wallet seed was created.\n\n\nAre you sure you want to go ahead without specifying a wallet date?
|
||||
seed.warn.walletDateEmpty=Puisque vous n'avez pas spécifié la date du portefeuille, Bisq devra scanner la blockchain après le 09/10/2013 (date de création du BIP39). \n\nLe portefeuille BIP39 a été lancé pour la première fois sur Bisq le 28/06/2017 (version v0.5). Par conséquent, vous pouvez utiliser cette date pour gagner du temps. \n\nIdéalement, vous devez indiquer la date à laquelle la graine de départ du portefeuille est créée. \n\n\nÊtes-vous sûr de vouloir continuer sans spécifier la date du portefeuille?
|
||||
seed.restore.success=Portefeuilles restaurés avec succès grâce aux nouveaux mots de la seed.\n\nVous devez arrêter et redémarrer l'application.
|
||||
seed.restore.error=Une erreur est survenue lors de la restauration des portefeuilles avec les mots composant la seed.{0}
|
||||
seed.restore.openOffers.warn=You have open offers which will be removed if you restore from seed words.\nAre you sure that you want to continue?
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Nom d'utilisateur Venmo
|
|||
payment.popmoney.accountId=Email ou N° de téléphone
|
||||
payment.promptPay.promptPayId=N° de carte d'identité/d'identification du contribuable ou numéro de téléphone
|
||||
payment.supportedCurrencies=Devises acceptées
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Restrictions
|
||||
payment.salt=Salage de la vérification de l'âge des comptes
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
@ -2597,8 +2621,8 @@ payment.accountType=Type de compte
|
|||
payment.checking=Vérification
|
||||
payment.savings=Épargne
|
||||
payment.personalId=Pièce d'identité
|
||||
payment.clearXchange.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 Bisq 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 Bisq.
|
||||
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 Bisq 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.clearXchange.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\nhttps: //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 Bisq 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 Bisq.
|
||||
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 Bisq 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=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=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.
|
||||
|
@ -2613,7 +2637,7 @@ payment.revolut.info=Revolut requires the 'User name' as account ID not the phon
|
|||
payment.account.revolut.addUserNameInfo={0}\nYour existing Revolut account ({1}) does not have a ''User name''.\nPlease enter your Revolut ''User name'' to update your account data.\nThis will not affect your account age signing status.
|
||||
payment.revolut.addUserNameInfo.headLine=Update Revolut account
|
||||
|
||||
payment.usPostalMoneyOrder.info=Trading using US Postal Money Orders (USPMO) on Bisq requires that you understand the following:\n\n- BTC buyers must write the BTC Seller’s name in both the Payer and the Payee’s 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 Bisq 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 Bisq.
|
||||
payment.usPostalMoneyOrder.info=Pour échanger US Postal Money Orders (USPMO) sur Bisq, 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 Bisq 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 Bisq.
|
||||
|
||||
payment.f2f.contact=information de contact
|
||||
payment.f2f.contact.prompt=How would you like to be contacted by the trading peer? (email address, phone number,...)
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Importo in {0}
|
|||
shared.volumeWithCur=Volume in {0}
|
||||
shared.currency=Valuta
|
||||
shared.market=Mercato
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Metodo di pagamento
|
||||
shared.tradeCurrency=Valuta di scambio
|
||||
shared.offerType=Tipo di offerta
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Agente di rimborso
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=Al momento, hai troppe transazioni non confermate. Per favore riprova più tardi.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Bloccati in scambi
|
|||
mainView.balance.reserved.short=Riservati
|
||||
mainView.balance.locked.short=Bloccati
|
||||
|
||||
mainView.footer.usingTor=(usando Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Connessione alla rete Bitcoin
|
||||
mainView.footer.bsqInfo.synchronizing=/ Sincronizzando DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Sincronizzazione con
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Connessione a
|
||||
mainView.footer.btcInfo.connectionFailed=Connessione fallita
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Sede accettata dei paesi bancari (acquirente
|
|||
offerbook.availableOffers=Offerte disponibili
|
||||
offerbook.filterByCurrency=Filtra per valuta
|
||||
offerbook.filterByPaymentMethod=Filtra per metodo di pagamento
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=Questo account è stato verificato e {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=firmato da un arbitro e può firmare account peer
|
||||
offerbook.timeSinceSigning.info.peer=firmato da un peer, in attesa che i limiti vengano alzati
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=firmato da un peer e i limiti sono stati alzati
|
||||
offerbook.timeSinceSigning.info.signer=firmato da un peer e può firmare account peer (limiti alzati)
|
||||
offerbook.timeSinceSigning.info.banned= \nl'account è stato bannato
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=Quando completi correttamente un'operazione con un peer che ha un account di pagamento firmato, il tuo account di pagamento viene firmato.\n{0} giorni dopo, il limite iniziale di {1} viene alzato e il tuo account può firmare account di pagamento di altri peer.
|
||||
offerbook.timeSinceSigning.notSigned=Non ancora firmato
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} giorni
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=Questo account non è stato ancora firmato
|
||||
shared.notSigned.noNeed=Questo tipo di account non utilizza la firma
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=N. di offerte: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Storia
|
|||
portfolio.tab.failed=Fallita
|
||||
portfolio.tab.editOpenOffer=Modifica offerta
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Attendi la conferma della blockchain
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Nessuna transazione disponibile
|
|||
funds.tx.revert=Storna
|
||||
funds.tx.txSent=Transazione inviata con successo ad un nuovo indirizzo nel portafoglio Bisq locale.
|
||||
funds.tx.direction.self=Invia a te stesso
|
||||
funds.tx.daoTxFee=Commissione al miner per la tx verso la DAO
|
||||
funds.tx.daoTxFee=Commissione di mining per transazioni BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Richiesta di rimborso
|
||||
funds.tx.compensationRequestTxFee=Richiesta di compenso
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Ritorno
|
||||
settings.net.sentBytesColumn=Inviato
|
||||
settings.net.receivedBytesColumn=Ricevuto
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=in entrata
|
|||
settings.net.outbound=in uscita
|
||||
settings.net.reSyncSPVChainLabel=Risincronizza la catena SPV
|
||||
settings.net.reSyncSPVChainButton=Elimina il file SPV e risincronizza
|
||||
settings.net.reSyncSPVSuccess=Il file della catena SPV verrà eliminato al successivo avvio. È necessario riavviare l'applicazione ora.\n\nDopo il riavvio, la risincronizzazione con la rete può richiedere del tempo e vedrai tutte le transazioni solo una volta completata la risincronizzazione.\n\nA seconda del numero di transazioni e dell'età del tuo portafoglio, la risincronizzazione può richiedere fino a qualche ora e consuma il 100% della CPU. Non interrompere il processo, altrimenti sarà necessario ripeterlo.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=Il file della catena SPV è stato eliminato. Per favore sii paziente. La risincronizzazione con la rete può richiedere del tempo.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=La risincronizzazione è ora completata. Si prega di riavviare l'applicazione.
|
||||
settings.net.reSyncSPVFailed=Impossibile eliminare il file della catena SPV.\nErrore: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Conti in valuta nazionale
|
|||
account.menu.altCoinsAccountView=Conti altcoin
|
||||
account.menu.password=Password portafoglio
|
||||
account.menu.seedWords=Seme portafoglio
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Chiave pubblica
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Inserisci il tuo indirizzo di destinazione
|
|||
dao.wallet.send.send=Invia fondi BSQ
|
||||
dao.wallet.send.sendBtc=Invia fondi BTC
|
||||
dao.wallet.send.sendFunds.headline=Conferma richiesta di prelievo
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Ultimo blocco verificato: {0}
|
||||
dao.wallet.chainHeightSyncing=In attesa di blocchi... Verificati {0} blocchi su {1}
|
||||
dao.wallet.tx.type=Tipo
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Transazioni BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Prezzo di scambio medio BSQ/BTC di 90 giorni
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Prezzo di scambio medio BSQ/BTC di 30 giorni
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=Prezzo medio ponderato USD/BSQ degli ultimi 90 giorni
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=Prezzo medio ponderato USD / BSQ degli ultimi 30 giorni
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalizzazione di mercato (basata sul prezzo di scambio)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=BSQ totale disponibile
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ emessi v. BSQ bruciati
|
||||
|
@ -2000,7 +2020,7 @@ 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=BTC {0} ottiene tutto
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Pagamento personalizzato
|
||||
disputeSummaryWindow.payoutAmount.buyer=Importo pagamento dell'acquirente
|
||||
disputeSummaryWindow.payoutAmount.seller=Importo pagamento del venditore
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Indirizzi onion peer di trading
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=Stato di scambio
|
||||
tradeDetailsWindow.agentAddresses=Arbitro/Mediatore
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Inserisci la password per sbloccare
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Sei sicuro di voler rimuovere quell'offerta?\nLa commissione del maker di {0} andrà persa se rimuovi 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%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=La commissione della transazione del
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=commissione di scambio
|
||||
popup.warning.trade.txRejected.deposit=deposita
|
||||
popup.warning.trade.txRejected=La transazione {0} per lo scambio con ID {1} è stata rifiutata dalla rete Bitcoin.\nTransazione ID={2}}\nLo scambio è stato trasferito nella sezione scambi falliti.\nVai su \"Impostazioni/Informazioni di rete\" ed esegui una risincronizzazione SPV.\nPer ulteriore assistenza, contattare il canale di supporto Bisq nel team di Bisq Keybase.
|
||||
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 Bisq support channel at the Bisq 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 Bisq nel team di Bisq Keybase.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Assicurati di avere una filiale bancaria nella tua zo
|
|||
popup.info.cashDepositInfo.confirm=Confermo di poter effettuare il deposito
|
||||
popup.info.shutDownWithOpenOffers=Bisq viene chiuso, ma ci sono offerte aperte.\n\nQueste offerte non saranno disponibili sulla rete P2P mentre Bisq rimane chiuso, ma verranno ripubblicate sulla rete P2P al prossimo avvio di Bisq.\n\nPer mantenere le tue offerte attive è necessario che Bisq rimanga in funzione ed il computer online (assicurati che non vada in modalità standby. Il solo monitor in standby non è un problema).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Notifica privata importante!
|
||||
|
||||
|
@ -2282,7 +2305,7 @@ popup.info.multiplePaymentAccounts.headline=Disponibili più conti di pagamento
|
|||
popup.info.multiplePaymentAccounts.msg=Hai più account di pagamento disponibili per questa offerta. Assicurati di aver scelto quello giusto.
|
||||
|
||||
popup.accountSigning.selectAccounts.headline=Seleziona conti di pagamento
|
||||
popup.accountSigning.selectAccounts.description=In base al metodo di pagamento e al momento in cui verranno selezionati tutti i conti di pagamento collegati a una controversia in cui si è verificato un pagamento
|
||||
popup.accountSigning.selectAccounts.description=In base al metodo di pagamento e al momento in cui verranno selezionati tutti i conti di pagamento collegati a una controversia in cui si è verificato un pagamento
|
||||
popup.accountSigning.selectAccounts.signAll=Firma tutti i metodi di pagamento
|
||||
popup.accountSigning.selectAccounts.datePicker=Seleziona il momento in cui verranno firmati gli account
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Nome utente Venmo
|
|||
payment.popmoney.accountId=Email o numero di telefono fisso
|
||||
payment.promptPay.promptPayId=Codice fiscale/P.IVA o n. di telefono
|
||||
payment.supportedCurrencies=Valute supportate
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Limitazioni
|
||||
payment.salt=Sale per la verifica dell'età dell'account
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur={0}の金額
|
|||
shared.volumeWithCur={0}取引高
|
||||
shared.currency=通貨
|
||||
shared.market=相場
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=支払い方法
|
||||
shared.tradeCurrency=取引通貨
|
||||
shared.offerType=オファーの種類
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=仲裁者
|
|||
shared.delayedPayoutTxId=遅延支払いトランザクションID
|
||||
shared.delayedPayoutTxReceiverAddress=遅延支払いトランザクション送り先
|
||||
shared.unconfirmedTransactionsLimitReached=現在、非確認されたトランザクションが多すぎます。しばらく待ってからもう一度試して下さい。
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=有効されました
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=トレードにロック中
|
|||
mainView.balance.reserved.short=予約済
|
||||
mainView.balance.locked.short=ロック中
|
||||
|
||||
mainView.footer.usingTor=(Torを使用中)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(ローカルホスト)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ 現在の手数料率: {0} サトシ/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=ビットコインネットワークに接続中
|
||||
mainView.footer.bsqInfo.synchronizing=/ DAOと同期中
|
||||
mainView.footer.btcInfo.synchronizingWith=同期中
|
||||
mainView.footer.btcInfo.synchronizedWith=同期されています:
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=接続中:
|
||||
mainView.footer.btcInfo.connectionFailed=接続失敗
|
||||
mainView.footer.p2pInfo=ビットコインネットワークピア: {0} / Bisqネットワークピア: {1}
|
||||
|
@ -311,7 +315,7 @@ market.spread.spreadColumn=スプレッド
|
|||
# TradesChartsView
|
||||
market.trades.nrOfTrades=取引: {0}
|
||||
market.trades.tooltip.volumeBar=取引量: {0}\n取引数: {1}\n日付: {2}
|
||||
market.trades.tooltip.candle.open=オープン:
|
||||
market.trades.tooltip.candle.open=オープン:
|
||||
market.trades.tooltip.candle.close=クローズ:
|
||||
market.trades.tooltip.candle.high=最高:
|
||||
market.trades.tooltip.candle.low=最低:
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=利用可能な銀行の国名(テイカ
|
|||
offerbook.availableOffers=利用可能なオファー
|
||||
offerbook.filterByCurrency=通貨でフィルター
|
||||
offerbook.filterByPaymentMethod=支払い方法でフィルター
|
||||
offerbook.timeSinceSigning=署名後経過時間
|
||||
offerbook.timeSinceSigning=アカウント情報
|
||||
offerbook.timeSinceSigning.info=このアカウントは認証されまして、{0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=調停人に署名されました。ピアアカウントも署名できます
|
||||
offerbook.timeSinceSigning.info.peer=ピアが署名しました。制限の解除を待ちます
|
||||
offerbook.timeSinceSigning.info.peer=ピアが署名しました。%d日間後に制限の解除を待ち中
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=ピアが署名しました。制限は解除されました
|
||||
offerbook.timeSinceSigning.info.signer=ピアが署名しました。ピアアカウントも署名できます(制限は解除されました)
|
||||
offerbook.timeSinceSigning.info.banned=このアカウントは禁止されました
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=自動確認は有効されますか?
|
|||
|
||||
offerbook.timeSinceSigning.help=署名された支払いアカウントを持っているピアと成功にトレードすると、自身の支払いアカウントも署名されることになります。\n{0} 日後に、{1} という初期の制限は解除され、他のピアの支払いアカウントを署名できるようになります。
|
||||
offerbook.timeSinceSigning.notSigned=まだ署名されていません
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0}日
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=このアカウントはまだ署名されていません
|
||||
shared.notSigned.noNeed=この種類のアカウントは署名を使用しません
|
||||
shared.notSigned=このアカウントはまだ署名されていない。{0} 日間前に作成されました
|
||||
shared.notSigned.noNeed=この種類のアカウントは署名を必要しません
|
||||
shared.notSigned.noNeedDays=この種類のアカウントは署名を必要しません。{0} 日間前に作成されました
|
||||
shared.notSigned.noNeedAlts=アルトコインのアカウントには署名や熟成という機能がありません
|
||||
|
||||
offerbook.nrOffers=オファー数: {0}
|
||||
offerbook.volume={0} (下限 - 上限)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=履歴
|
|||
portfolio.tab.failed=失敗
|
||||
portfolio.tab.editOpenOffer=オファーを編集
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=欠測あるいは無効なトランザクションに関する問題があります。\n\nこの法定通貨・アルトコイン支払いの送信しないで下さい!サポートを受けるのに、Keybase [HYPERLINK:https://keybase.io/team/bisq] あるいは掲示板 [HYPERLINK:https://bisq.community] でBisqの開発者と連絡して下さい。\n\nエラーメッセージ: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=ブロックチェーンの承認をお待ち下さい
|
||||
|
@ -865,7 +874,7 @@ funds.locked.locked=次のIDとのトレードはマルチシグでロック中
|
|||
|
||||
funds.tx.direction.sentTo=送信 to:
|
||||
funds.tx.direction.receivedWith=次に予約済:
|
||||
funds.tx.direction.genesisTx=ジェネシスTXから:
|
||||
funds.tx.direction.genesisTx=ジェネシスTXから:
|
||||
funds.tx.txFeePaymentForBsqTx=BSQのTXのマイニング手数料
|
||||
funds.tx.createOfferFee=メイカーとTXの手数料: {0}
|
||||
funds.tx.takeOfferFee=テイカーとTXの手数料: {0}
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=利用できるトランザクションがありません
|
|||
funds.tx.revert=元に戻す
|
||||
funds.tx.txSent=トランザクションはローカルBisqウォレットの新しいアドレスに正常に送信されました。
|
||||
funds.tx.direction.self=自分自身に送信済み
|
||||
funds.tx.daoTxFee=DAOのTXのマイニング手数料
|
||||
funds.tx.daoTxFee=BSQのTXのマイニング手数料
|
||||
funds.tx.reimbursementRequestTxFee=払い戻しリクエスト
|
||||
funds.tx.compensationRequestTxFee=報酬リクエスト
|
||||
funds.tx.dustAttackTx=ダストを受取りました
|
||||
funds.tx.dustAttackTx.popup=このトランザクションはごくわずかなBTC金額をあなたのウォレットに送っているので、あなたのウォレットを盗もうとするチェーン解析会社による試みかもしれません。\n\nあなたが支払い取引でそのトランザクションアウトプットを使うならば、彼らはあなたが他のアドレスの所有者である可能性が高いことを学びます(コインマージ)。\n\nあなたのプライバシーを保護するために、Bisqウォレットは、支払い目的および残高表示において、そのようなダストアウトプットを無視します。 設定でアウトプットがダストと見なされるときのしきい値を設定できます。
|
||||
|
||||
|
||||
####################################################################
|
||||
# Support
|
||||
####################################################################
|
||||
|
@ -935,7 +943,7 @@ support.input.prompt=メッセージを入力...
|
|||
support.send=送信
|
||||
support.addAttachments=添付ファイルを追加
|
||||
support.closeTicket=チケットを閉じる
|
||||
support.attachments=添付ファイル:
|
||||
support.attachments=添付ファイル:
|
||||
support.savedInMailbox=メッセージ受信箱に保存されました
|
||||
support.arrived=メッセージが受信者へ届きました
|
||||
support.acknowledged=受信者からメッセージ到着が確認されました
|
||||
|
@ -1036,7 +1044,7 @@ settings.net.onionAddressLabel=私のonionアドレス
|
|||
settings.net.btcNodesLabel=任意のビットコインノードを使う
|
||||
settings.net.bitcoinPeersLabel=接続されたピア
|
||||
settings.net.useTorForBtcJLabel=BitcoinネットワークにTorを使用
|
||||
settings.net.bitcoinNodesLabel=接続するBitcoin Coreノード:
|
||||
settings.net.bitcoinNodesLabel=接続するBitcoin Coreノード:
|
||||
settings.net.useProvidedNodesRadio=提供されたBitcoin Core ノードを使う
|
||||
settings.net.usePublicNodesRadio=ビットコインの公共ネットワークを使用
|
||||
settings.net.useCustomNodesRadio=任意のビットコインノードを使う
|
||||
|
@ -1052,6 +1060,7 @@ settings.net.creationDateColumn=既定
|
|||
settings.net.connectionTypeColumn=イン/アウト
|
||||
settings.net.sentDataLabel=通信されたデータ統計
|
||||
settings.net.receivedDataLabel=受信されたデータ統計
|
||||
settings.net.chainHeightLabel=BTCの最新ブロック高さ
|
||||
settings.net.roundTripTimeColumn=往復
|
||||
settings.net.sentBytesColumn=送信済
|
||||
settings.net.receivedBytesColumn=受信済
|
||||
|
@ -1066,6 +1075,7 @@ settings.net.needRestart=その変更を適用するには、アプリケーシ
|
|||
settings.net.notKnownYet=まだわかりません...
|
||||
settings.net.sentData=通信されたデータ: {0}, {1} メッセージ、 {2} メッセージ/秒
|
||||
settings.net.receivedData=受信されたデータ: {0}, {1} メッセージ、 {2} メッセージ/秒
|
||||
settings.net.chainHeight=Bisq: {0} | ピア: {1}
|
||||
settings.net.ips=[IPアドレス:ポート | ホスト名:ポート | onionアドレス:ポート](コンマ区切り)。デフォルト(8333)が使用される場合、ポートは省略できます。
|
||||
settings.net.seedNode=シードノード
|
||||
settings.net.directPeer=ピア (ダイレクト)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=インバウンド
|
|||
settings.net.outbound=アウトバウンド
|
||||
settings.net.reSyncSPVChainLabel=SPVチェーンを再同期
|
||||
settings.net.reSyncSPVChainButton=SPVファイルを削除してを再同期
|
||||
settings.net.reSyncSPVSuccess=SPVチェーンファイルは、次回の起動時に削除されます。今すぐアプリケーションを再起動する必要があります。\n\n再起動後、ネットワークとの再同期に時間がかかることがあり、再同期が完了するとすべてのトランザクションのみが表示されます。\n\nトランザクションの数そしてウォレットの時代によって、再同期は数時間かかり、CPUのリソースを100%消費します。再同期プロセスを割り込みしないで下さい。さもなければやり直す必要があります。
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=SPVチェーンファイルが削除されました。しばらくお待ちください。ネットワークとの再同期には時間がかかる場合があります。
|
||||
settings.net.reSyncSPVAfterRestartCompleted=再同期が完了しました。アプリケーションを再起動してください。
|
||||
settings.net.reSyncSPVFailed=SPVチェーンファイルを削除できませんでした。\nエラー: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=各国通貨口座
|
|||
account.menu.altCoinsAccountView=アルトコインアカウント
|
||||
account.menu.password=ウォレットのパスワード
|
||||
account.menu.seedWords=ウォレットシード
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=パブリックキー
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=あなたの出金先アドレスを記入
|
|||
dao.wallet.send.send=BSQ残高の送信
|
||||
dao.wallet.send.sendBtc=BTC残高の送信
|
||||
dao.wallet.send.sendFunds.headline=出金リクエストを承認
|
||||
dao.wallet.send.sendFunds.details=送金中: {0}\n入金先アドレス: {1}\n必要なトランザクション手数料: {2} ({3} satoshis/vbyte)\nトランザクションvサイズ: {4} Kb\n\n入金先の受け取る金額: {5}\n\n本当にこの金額を出金しますか?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=最新検証済みブロック: {0}
|
||||
dao.wallet.chainHeightSyncing=ブロック待機中... {1}のうち{0}ブロックを検証済み
|
||||
dao.wallet.tx.type=タイプ
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=BSQ トランザクション
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=90日間の平均BSQ/BTCのトレード価格
|
||||
dao.factsAndFigures.dashboard.avgPrice30=30日間の平均BSQ/BTCのトレード価格
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90日間の加重平均USD/BSQトレード価格
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30日間の加重平均USD/BSQトレード価格
|
||||
dao.factsAndFigures.dashboard.marketCap=時価総額(トレード価格に基づく)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90日間の加重平均USD/BSQ価格
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30日間の加重平均USD/BSQ価格
|
||||
dao.factsAndFigures.dashboard.marketCap=時価総額(30日間の平均USD/BSQ価格に基づく)
|
||||
dao.factsAndFigures.dashboard.availableAmount=合計利用可能BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=発行されたBSQ v. バーンされたBSQ
|
||||
|
@ -2000,7 +2020,7 @@ disputeSummaryWindow.openDate=チケットオープン日
|
|||
disputeSummaryWindow.role=取引者の役割
|
||||
disputeSummaryWindow.payout=トレード金額の支払い
|
||||
disputeSummaryWindow.payout.getsTradeAmount=BTC {0}はトレード金額の支払いを受け取ります
|
||||
disputeSummaryWindow.payout.getsAll=BTC {0} は全て受け取ります
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=任意の支払い
|
||||
disputeSummaryWindow.payoutAmount.buyer=買い手の支払額
|
||||
disputeSummaryWindow.payoutAmount.seller=売り手の支払額
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=トレード相手のonionアドレス
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=トレードピアのパブリックキーハッシュ
|
||||
tradeDetailsWindow.tradeState=トレード状態
|
||||
tradeDetailsWindow.agentAddresses=仲裁者 / 調停人
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=アンロックするためにパスワードを入力してください
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ popup.warning.noMediatorsAvailable=利用可能な調停人がいません。
|
|||
popup.warning.notFullyConnected=ネットワークへ完全に接続するまで待つ必要があります。\n起動までに約2分かかります。
|
||||
popup.warning.notSufficientConnectionsToBtcNetwork=少なくとも{0}のビットコインネットワークへの接続が確立されるまでお待ちください。
|
||||
popup.warning.downloadNotComplete=欠落しているビットコインブロックのダウンロードが完了するまで待つ必要があります。
|
||||
popup.warning.chainNotSynced=The Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=本当にオファーを削除しますか?\nオファーを削除する場合、{0}のメイカー手数料が失われます。
|
||||
popup.warning.tooLargePercentageValue=100%以上のパーセントを設定できません
|
||||
popup.warning.examplePercentageValue=パーセントの数字を入力してください。5.4%は「5.4」のように入力します。
|
||||
|
@ -2236,7 +2258,7 @@ popup.warning.bsqChangeBelowDustException=このトランザクションは、
|
|||
popup.warning.btcChangeBelowDustException=このトランザクションは、ダスト制限(546 Satoshi)を下回るBSQおつりアウトプットを作成し、ビットコインネットワークによって拒否されます。\n\nダストアウトプットを生成しないように、あなたの送金額にダスト額を追加する必要があります。\n\nダストアウトプットは{0}。
|
||||
|
||||
popup.warning.insufficientBsqFundsForBtcFeePayment=このトランザクションにはBSQが足りません。ビットコインプロトコルのダスト制限によると、ウォレットから最後の5.46BSQはトレード手数料に使われることができません。\n\nもっとBSQを買うか、BTCでトレード手数料を支払うことができます。\n\n不足している資金: {0}
|
||||
popup.warning.noBsqFundsForBtcFeePayment=BSQウォレットにBSQのトレード手数料を支払うのに十分な残高がありません。
|
||||
popup.warning.noBsqFundsForBtcFeePayment=BSQウォレットにBSQのトレード手数料を支払うのに十分な残高がありません。
|
||||
popup.warning.messageTooLong=メッセージが許容サイズ上限を超えています。いくつかに分けて送信するか、 https://pastebin.com のようなサービスにアップロードしてください。
|
||||
popup.warning.lockedUpFunds=失敗したトレードから残高をロックしました。\nロックされた残高: {0} \nデポジットtxアドレス: {1} \nトレードID: {2}。\n\nオープントレード画面でこのトレードを選択し、「alt + o」または「option + o」を押してサポートチケットを開いてください。
|
||||
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=ID{0}で識別されるオファー
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=トレード手数料
|
||||
popup.warning.trade.txRejected.deposit=デポジット
|
||||
popup.warning.trade.txRejected=ID{1}で識別されるトレードのための{0}トランザクションがビットコインネットワークに拒否されました。\nトランザクションID= {2}} 。\nトレードは「失敗トレード」へ送られました。\n\"設定/ネットワーク情報\"を開いてSPV再同期を行って下さい。\nさらにサポートを受けるため、Bisq Keybaseチームのサポートチャンネルに連絡して下さい。
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
popup.warning.openOfferWithInvalidMakerFeeTx=ID{0}で識別されるオファーのためのメイカー手数料トランザクションが無効とされました。\nトランザクションID= {1} 。\n更なる問題を避けるため、そのオファーは削除されました。\n\"設定/ネットワーク情報\"を開いてSPV再同期を行って下さい。\nさらにサポートを受けるため、Bisq Keybaseチームのサポートチャンネルに連絡して下さい。
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=あなたの地域の銀行支店が現金デポジ
|
|||
popup.info.cashDepositInfo.confirm=デポジットを作成できるか確認します
|
||||
popup.info.shutDownWithOpenOffers=Bisqはシャットダウン中ですが、オファーはあります。\n\nこれらのオファーは、Bisqがシャットダウンされている間はP2Pネットワークでは利用できませんが、次回Bisqを起動したときにP2Pネットワークに再公開されます。\n\nオファーをオンラインに保つには、Bisqを実行したままにして、このコンピュータもオンラインにしたままにします(つまり、スタンバイモードにならないようにしてください。モニタースタンバイは問題ありません)。
|
||||
popup.info.qubesOSSetupInfo=Qubes OS内でBisqを実行しているようです。\n\nBisqのqubeはセットアップガイドに従って設定されていることを確かめて下さい: [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes]
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=重要なプライベート通知!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Venmo ユーザー名
|
|||
payment.popmoney.accountId=メールか電話番号
|
||||
payment.promptPay.promptPayId=市民ID/納税者番号または電話番号
|
||||
payment.supportedCurrencies=サポートされている通貨
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=制限事項
|
||||
payment.salt=アカウント年齢を検証するためのソルト
|
||||
payment.error.noHexSalt=ソルトはHEXフォーマットである必要があります。\nアカウントの年齢を維持するために古いアカウントからソルトを送金したい場合は、ソルトフィールドを編集することをお勧めします。 アカウントの年齢は、アカウントソルトおよび識別口座データ(例えば、IBAN)を使用することによって検証されます。
|
||||
|
@ -2691,7 +2715,7 @@ WECHAT_PAY=WeChat Pay
|
|||
# suppress inspection "UnusedProperty"
|
||||
SEPA=SEPA
|
||||
# suppress inspection "UnusedProperty"
|
||||
SEPA_INSTANT=SEPAインスタント支払い
|
||||
SEPA_INSTANT=SEPAインスタント支払い
|
||||
# suppress inspection "UnusedProperty"
|
||||
FASTER_PAYMENTS=Faster Payments
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -2844,7 +2868,7 @@ validation.amountBelowDust=ダスト制限である{0}サトシ未満の金額
|
|||
validation.length=長さは{0}から{1}の間である必要があります
|
||||
validation.pattern=入力は次の形式である必要があります: {0}
|
||||
validation.noHexString=入力がHEXフォーマットではありません。
|
||||
validation.advancedCash.invalidFormat=有効なメールアドレスか次のウォレットID形式である必要があります: X000000000000
|
||||
validation.advancedCash.invalidFormat=有効なメールアドレスか次のウォレットID形式である必要があります: X000000000000
|
||||
validation.invalidUrl=有効なURLではありません
|
||||
validation.mustBeDifferent=入力する値は現在の値と異なるべきです。
|
||||
validation.cannotBeChanged=パラメーターは変更できません
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Quantidade em {0}
|
|||
shared.volumeWithCur=Volume em {0}
|
||||
shared.currency=Moeda
|
||||
shared.market=Mercado
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Método de pagamento
|
||||
shared.tradeCurrency=Moeda negociada
|
||||
shared.offerType=Tipo de oferta
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Árbitro
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=No momento, você possui muitas transações não-confirmadas. Tente novamente mais tarde.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Travado em negociações
|
|||
mainView.balance.reserved.short=Reservado
|
||||
mainView.balance.locked.short=Travado
|
||||
|
||||
mainView.footer.usingTor=(usando Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Conectando-se à rede Bitcoin
|
||||
mainView.footer.bsqInfo.synchronizing=/ Sincronizando DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Sincronizando com
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Conectando-se a
|
||||
mainView.footer.btcInfo.connectionFailed=Falha na conexão à
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Países aceitos como sede bancária (tomador
|
|||
offerbook.availableOffers=Ofertas disponíveis
|
||||
offerbook.filterByCurrency=Filtrar por moeda
|
||||
offerbook.filterByPaymentMethod=Filtrar por método de pagamento
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=Esta conta foi verificada e {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=assinada por um árbitro e pode assinar contas de pares
|
||||
offerbook.timeSinceSigning.info.peer=assinada por um par, esperando os limites serem levantados
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=assinada por um par e limites foram levantados
|
||||
offerbook.timeSinceSigning.info.signer=assinada por um par e pode assinar contas de pares (limites levantados)
|
||||
offerbook.timeSinceSigning.info.banned=conta foi banida
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=Quando você completa uma negociação bem sucedida com um par que tem uma conta de pagamento assinada, a sua conta de pagamento é assinada.\n{0} dias depois, o limite inicial de {1} é levantado e sua conta pode assinar as contas de pagamento de outros pares.
|
||||
offerbook.timeSinceSigning.notSigned=Ainda não assinada
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} dias
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/D
|
||||
shared.notSigned=Esta conta ainda não foi assinada
|
||||
shared.notSigned.noNeed=Esse tipo de conta não usa assinatura
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=N.º de ofertas: {0}
|
||||
offerbook.volume={0} (mín. - máx.)
|
||||
|
@ -403,7 +410,7 @@ offerbook.info.sellAboveMarketPrice=Você irá receber {0} a mais do que o atual
|
|||
offerbook.info.buyBelowMarketPrice=Você irá pagar {0} a menos do que o atual preço de mercado (atualizado a cada minuto).
|
||||
offerbook.info.buyAtFixedPrice=Você irá comprar nesse preço fixo.
|
||||
offerbook.info.sellAtFixedPrice=Você irá vender neste preço fixo.
|
||||
offerbook.info.noArbitrationInUserLanguage=Em caso de disputa, a arbitragem para essa oferta será realizada em {0}. O idioma atualmente está definido como {1}.
|
||||
offerbook.info.noArbitrationInUserLanguage=Em caso de disputa, a arbitragem para essa oferta será realizada em {0}. O idioma atualmente está definido como {1}.
|
||||
offerbook.info.roundedFiatVolume=O valor foi arredondado para aumentar a privacidade da sua negociação.
|
||||
|
||||
####################################################################
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Histórico
|
|||
portfolio.tab.failed=Falha
|
||||
portfolio.tab.editOpenOffer=Editar oferta
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Aguardar confirmação da blockchain
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Sem transações disponíveis
|
|||
funds.tx.revert=Reverter
|
||||
funds.tx.txSent=Transação enviada com sucesso para um novo endereço em sua carteira Bisq local.
|
||||
funds.tx.direction.self=Enviar para você mesmo
|
||||
funds.tx.daoTxFee=Taxa do minerador para tx da DAO
|
||||
funds.tx.daoTxFee=Taxa de mineração para transação de BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Solicitar reembolso
|
||||
funds.tx.compensationRequestTxFee=Pedido de compensação
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -1019,7 +1027,7 @@ setting.preferences.dao.isDaoFullNode=Executar Bisq como nó completo DAO
|
|||
setting.preferences.dao.rpcUser=Nome de usuário de RPC
|
||||
setting.preferences.dao.rpcPw=Senha de RPC
|
||||
setting.preferences.dao.blockNotifyPort=Bloquear porta de notificação
|
||||
setting.preferences.dao.fullNodeInfo=Para executar o Bisq como nó completo da DAO você precisa ter Bitcoin Core em rodando localmente e RPC ativado. Todos os requisitos estão documentados em '' {0} ''.
|
||||
setting.preferences.dao.fullNodeInfo=Para executar o Bisq como nó completo da DAO você precisa ter Bitcoin Core em rodando localmente e RPC ativado. Todos os requisitos estão documentados em '' {0} ''.
|
||||
setting.preferences.dao.fullNodeInfo.ok=Abrir página de documentos
|
||||
setting.preferences.dao.fullNodeInfo.cancel=Não, eu fico com o modo nó lite
|
||||
settings.preferences.editCustomExplorer.headline=Explorer Settings
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Ping
|
||||
settings.net.sentBytesColumn=Enviado
|
||||
settings.net.receivedBytesColumn=Recebido
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=entrada
|
|||
settings.net.outbound=saída
|
||||
settings.net.reSyncSPVChainLabel=Ressincronizar SPV chain
|
||||
settings.net.reSyncSPVChainButton=Remover arquivo SPV e ressincronizar
|
||||
settings.net.reSyncSPVSuccess=O arquivo da corrente SPV será apagado na próxima inicialização. Você precisa reiniciar seu aplicativo agora. \n\nApós a reinicialização, pode demorar um pouco para ressincronizar com a rede e você apenas verá todas as transações quando a ressincronização for concluída.\n\nDependendo do número de transações e da idade da sua carteira, a ressincronização pode demorar até algumas horas e consumir 100% do processador. Não interrompa este processo pois, caso contrário, você precisará repeti-lo.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=O arquivo SPV chain foi removido. Por favor, tenha paciência, pois a ressincronização com a rede pode demorar.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=A ressincronização terminou. Favor reiniciar o programa.
|
||||
settings.net.reSyncSPVFailed=Não foi possível apagar o arquivo da SPV chain.\nErro: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Contas de moedas nacionais
|
|||
account.menu.altCoinsAccountView=Contas de altcoins
|
||||
account.menu.password=Senha da carteira
|
||||
account.menu.seedWords=Semente da carteira
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Chave pública
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Preencha seu endereço de destino
|
|||
dao.wallet.send.send=Enviar fundos BSQ
|
||||
dao.wallet.send.sendBtc=Enviar fundos BTC
|
||||
dao.wallet.send.sendFunds.headline=Confirmar solicitação de retirada.
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Último bloco verificado: {0}
|
||||
dao.wallet.chainHeightSyncing=Aguardando blocos... Verificados {0} blocos de {1}
|
||||
dao.wallet.tx.type=Tipo
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Transações BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Média de 90 dias BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Média de 30 dias BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalização do mercado (com base no preço de negociação)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=Total de BSQ disponível
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ emitido vs. BSQ queimado
|
||||
|
@ -2000,7 +2020,7 @@ 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={0} BTC fica com tudo
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Pagamento personalizado
|
||||
disputeSummaryWindow.payoutAmount.buyer=Quantia do pagamento do comprador
|
||||
disputeSummaryWindow.payoutAmount.seller=Quantia de pagamento do vendedor
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Endereço onion dos parceiros de negociaç
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=Estado da negociação
|
||||
tradeDetailsWindow.agentAddresses=Árbitro/Mediador
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Digite senha para abrir:
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Tem certeza que deseja remover essa oferta?\nA taxa de oferta de {0} será perdida se você removê-la.
|
||||
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%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=A transação de taxa de ofertante pa
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=taxa de negociação
|
||||
popup.warning.trade.txRejected.deposit=depósito
|
||||
popup.warning.trade.txRejected=A transação {0} para a negociação com ID {1} foi rejeitada pela rede Bitcoin.\nID da transação={2}\nA negociação foi movida para negociações com erro.\n Por favor, vá até "Configurações/Informações da rede" e ressincronize o arquivo SPV.\n\nPara mais informações, por favor acesse o canal #support do time da Bisq na Keybase.
|
||||
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 Bisq support channel at the Bisq 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 Bisq na Keybase.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Certifique-se de que você possui uma agência bancá
|
|||
popup.info.cashDepositInfo.confirm=Eu confirmo que posso fazer o depósito
|
||||
popup.info.shutDownWithOpenOffers=O Bisq está desligando, mas há ofertas abertas.\n\nEstas ofertas não ficarão disponíveis na rede P2P enquanto o Bisq estiver desligado, mas elas serão republicadas na rede assim que você reiniciar o programa.\n\nPara manter suas ofertas online, mantenha o Bisq aberto e certifique-se de que o seu computador continua online (ex: certifique-se de que o computador não está entrando em modo de hibernação).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Notificação privada importante!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Nome do usuário do Venmo
|
|||
payment.popmoney.accountId=E-mail ou nº de telefone
|
||||
payment.promptPay.promptPayId=ID de cidadão/ID de impostos ou nº de telefone
|
||||
payment.supportedCurrencies=Moedas disponíveis
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Limitações
|
||||
payment.salt=Sal para verificação da idade da conta
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Quantia em {0}
|
|||
shared.volumeWithCur=Volume em {0}
|
||||
shared.currency=Moeda
|
||||
shared.market=Mercado
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Método de pagamento
|
||||
shared.tradeCurrency=Moeda de negócio
|
||||
shared.offerType=Tipo de oferta
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Agente de Reembolso
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=You have too many unconfirmed transactions at the moment. Please try again later.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Bloqueado em negócios
|
|||
mainView.balance.reserved.short=Reservado
|
||||
mainView.balance.locked.short=Bloqueado
|
||||
|
||||
mainView.footer.usingTor=(usando Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(localhost)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Conectando à rede Bitcoin
|
||||
mainView.footer.bsqInfo.synchronizing=/ Sincronizando a OAD
|
||||
mainView.footer.btcInfo.synchronizingWith=Sincronizando com
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Conectando à
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Sede do banco aceite (aceitador):\n {0}
|
|||
offerbook.availableOffers=Ofertas disponíveis
|
||||
offerbook.filterByCurrency=Filtrar por moeda
|
||||
offerbook.filterByPaymentMethod=Filtrar por método de pagamento
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=Esta conta foi verificada e {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=assinada pelo árbitro e pode assinar contas de pares
|
||||
offerbook.timeSinceSigning.info.peer=assinada por um par, esperando que os limites sejam aumentados
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=assinada por um par e os limites foram aumentados
|
||||
offerbook.timeSinceSigning.info.signer=assinada por um par e pode assinar contas de pares (limites aumentados)
|
||||
offerbook.timeSinceSigning.info.banned=account was banned
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=Quando você completa com sucesso um negócio com um par que tenha uma conta de pagamento assinada, a sua conta de pagamento é assinada .\n{0} dias depois, o limite inicial de {1} é aumentado e a sua conta pode assinar contas de pagamento de outros pares.
|
||||
offerbook.timeSinceSigning.notSigned=Ainda não assinada
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} dias
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/D
|
||||
shared.notSigned=Esta conta ainda não foi assinada
|
||||
shared.notSigned.noNeed=Este tipo de conta não usa assinaturas
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=Nº de ofertas: {0}
|
||||
offerbook.volume={0} (mín - máx)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Histórico
|
|||
portfolio.tab.failed=Falhou
|
||||
portfolio.tab.editOpenOffer=Editar oferta
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Esperando confirmação da blockchain
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Sem transações disponíveis
|
|||
funds.tx.revert=Reverter
|
||||
funds.tx.txSent=Transação enviada com sucesso para um novo endereço em sua carteira Bisq local.
|
||||
funds.tx.direction.self=Enviado à você mesmo
|
||||
funds.tx.daoTxFee=Taxa do mineiro para tx da OAD
|
||||
funds.tx.daoTxFee=Taxa do mineiro para tx de BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Pedido de reembolso
|
||||
funds.tx.compensationRequestTxFee=Pedido de compensação
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -1019,7 +1027,7 @@ setting.preferences.dao.isDaoFullNode=Executar Bisq como nó completo OAD
|
|||
setting.preferences.dao.rpcUser=Nome de usuário de RPC
|
||||
setting.preferences.dao.rpcPw=Senha de RPC
|
||||
setting.preferences.dao.blockNotifyPort=Bloquear porta de notificação
|
||||
setting.preferences.dao.fullNodeInfo=Para executar o Bisq como nó completo da OAD você precisa ter Bitcoin Core em execução local e RPC ativado. Todos os requerimentos estão documentados em '' {0} ''.
|
||||
setting.preferences.dao.fullNodeInfo=Para executar o Bisq como nó completo da OAD você precisa ter Bitcoin Core em execução local e RPC ativado. Todos os requerimentos estão documentados em '' {0} ''.
|
||||
setting.preferences.dao.fullNodeInfo.ok=Abrir página de documentos
|
||||
setting.preferences.dao.fullNodeInfo.cancel=Não, eu fico com o modo nó lite
|
||||
settings.preferences.editCustomExplorer.headline=Explorer Settings
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Ida-e-volta
|
||||
settings.net.sentBytesColumn=Enviado
|
||||
settings.net.receivedBytesColumn=Recebido
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=entrante
|
|||
settings.net.outbound=sainte
|
||||
settings.net.reSyncSPVChainLabel=Re-sincronizar corrente SPV
|
||||
settings.net.reSyncSPVChainButton=Remover ficheiro SPV e re-sincronizar
|
||||
settings.net.reSyncSPVSuccess=O ficheiro da corrente SPV será apagado na próxima inicialização. Você precisa reiniciar o seu programa agora.\n\nApós a reinicialização, pode demorar um pouco para ressincronizar com a rede e você verá todas as transações apenas quando a ressincronização for concluída.\n\nDependendo do número de transações e da idade da sua carteira, a ressincronização pode levar algumas horas e consumir 100% do CPU. Não interrompa o processo, caso contrário você precisará repeti-lo.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=O ficheiro da corrente SPV foi apagado. Por favor, seja paciente. Pode demorar um pouco para re-sincronizar com a rede.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=A resincronização concluiu. Por favor reiniciar o programa.
|
||||
settings.net.reSyncSPVFailed=Não foi possível remover o ficherio da corrente SPV\nErro: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Contas de moedas nacionais
|
|||
account.menu.altCoinsAccountView=Contas de altcoins
|
||||
account.menu.password=Senha da carteira
|
||||
account.menu.seedWords=Semente da carteira
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Chave pública
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Preencha seu endereço de destino
|
|||
dao.wallet.send.send=Enviar fundos BSQ
|
||||
dao.wallet.send.sendBtc=Enviar fundos BTC
|
||||
dao.wallet.send.sendFunds.headline=Confirmar pedido de levantamento.
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Último bloco verificado: {0}
|
||||
dao.wallet.chainHeightSyncing=Esperando blocos... {0} dos {1} blocos verificados
|
||||
dao.wallet.tx.type=Tipo
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Transações BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=Média de 90 dias do preço de negócio de BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgPrice30=Média de 30 dias do preço de negócio de BSQ/BTC
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=Capitalização do mercado (com base no preço de negócio)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=Total BSQ disponível
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ emitido v. BSQ queimado
|
||||
|
@ -2000,7 +2020,7 @@ 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={0} BTC fica com tudo
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Pagamento personalizado
|
||||
disputeSummaryWindow.payoutAmount.buyer=Quantia de pagamento do comprador
|
||||
disputeSummaryWindow.payoutAmount.seller=Quantia de pagamento do vendedor
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Endereço onion dos parceiros de negociaç
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=Estado de negócio
|
||||
tradeDetailsWindow.agentAddresses=Árbitro/Mediador
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Digite senha para abrir:
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Tem certeza de que deseja remover essa oferta?\nA taxa de ofertante de {0} será perdida se você 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%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=A transação da taxa de ofertante pa
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=taxa de negócio
|
||||
popup.warning.trade.txRejected.deposit=depósito
|
||||
popup.warning.trade.txRejected=A transação de {0} para o negócio com o ID {1} foi rejeitada pela rede do Bitcoin.\nID da transação={2}}\nO negócio foi movido para negócios falahados.\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 Bisq na equipa Keybase do Bisq.
|
||||
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 Bisq support channel at the Bisq 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 Bisq na equipa Keybase do Bisq.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Por favor, certifique-se de que você tem uma agênci
|
|||
popup.info.cashDepositInfo.confirm=Eu confirmo que eu posso fazer o depósito
|
||||
popup.info.shutDownWithOpenOffers=Bisq está sendo fechado, mas há ofertas abertas. \n\nEstas ofertas não estarão disponíveis na rede P2P enquanto o Bisq estiver desligado, mas elas serão publicadas novamente na rede P2P na próxima vez que você iniciar o Bisq.\n\nPara manter suas ofertas on-line, mantenha o Bisq em execução e certifique-se de que este computador também permaneça online (ou seja, certifique-se de que ele não entra no modo de espera... o modo de espera do monitor não causa problema).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Notificação privada importante!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Nome de utilizador do Venmo
|
|||
payment.popmoney.accountId=Email ou nº de telemóvel
|
||||
payment.promptPay.promptPayId=ID de cidadão/ID de impostos ou nº de telemóvel
|
||||
payment.supportedCurrencies=Moedas suportadas
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Limitações
|
||||
payment.salt=Sal para verificação da idade da conta
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
@ -2855,4 +2879,4 @@ validation.phone.invalidCharacters=O número de telfone {0} contém carácteres
|
|||
validation.phone.insufficientDigits=There are not enough digits in {0} to be a valid phone number
|
||||
validation.phone.tooManyDigits=There are too many digits in {0} to be a valid phone number
|
||||
validation.phone.invalidDialingCode=Country dialing code for number {0} is invalid for country {1}. The correct dialing code is {2}.
|
||||
validation.invalidAddressList=Deve ser um lista de endereços válidos separados por vírgulas
|
||||
validation.invalidAddressList=Deve ser um lista de endereços válidos separados por vírgulas
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Количество в {0}
|
|||
shared.volumeWithCur=Объём в {0}
|
||||
shared.currency=Валюта
|
||||
shared.market=Рынок
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Способ оплаты
|
||||
shared.tradeCurrency=Торговая валюта
|
||||
shared.offerType=Тип предложения
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Refund agent
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=You have too many unconfirmed transactions at the moment. Please try again later.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Используется в сделках
|
|||
mainView.balance.reserved.short=Выделено
|
||||
mainView.balance.locked.short=В сделках
|
||||
|
||||
mainView.footer.usingTor=(используется Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(локальный узел)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Подключение к сети Биткойн
|
||||
mainView.footer.bsqInfo.synchronizing=/ Синхронизация ДАО
|
||||
mainView.footer.btcInfo.synchronizingWith=Синхронизация с
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Подключение к
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Допустимые страны банка
|
|||
offerbook.availableOffers=Доступные предложения
|
||||
offerbook.filterByCurrency=Фильтровать по валюте
|
||||
offerbook.filterByPaymentMethod=Фильтровать по способу оплаты
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=This account was verified and {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=signed by an arbitrator and can sign peer accounts
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=signed by a peer and limits were lifted
|
||||
offerbook.timeSinceSigning.info.signer=signed by peer and can sign peer accounts (limits lifted)
|
||||
offerbook.timeSinceSigning.info.banned=account was banned
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=When you successfully complete a trade with a peer who has a signed payment account, your payment account is signed.\n{0} days later, the initial limit of {1} is lifted and your account can sign other peers'' payment accounts.
|
||||
offerbook.timeSinceSigning.notSigned=Not signed yet
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} дн.
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=Н/Д
|
||||
shared.notSigned=This account hasn't been signed yet
|
||||
shared.notSigned.noNeed=This account type doesn't use signing
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=Кол-во предложений: {0}
|
||||
offerbook.volume={0} (мин. — макс.)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=История
|
|||
portfolio.tab.failed=Не удалось
|
||||
portfolio.tab.editOpenOffer=Изменить предложение
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Ожидание подтверждения в блокчейне
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=Транзакции отсутствуют
|
|||
funds.tx.revert=Отменить
|
||||
funds.tx.txSent=Транзакция успешно отправлена на новый адрес локального кошелька Bisq.
|
||||
funds.tx.direction.self=Транзакция внутри кошелька
|
||||
funds.tx.daoTxFee=Комиссия майнера за транзакцию ДАО
|
||||
funds.tx.daoTxFee=Комиссия майнера за транзакцию в BSQ
|
||||
funds.tx.reimbursementRequestTxFee=Запрос возмещения
|
||||
funds.tx.compensationRequestTxFee=Запрос компенсации
|
||||
funds.tx.dustAttackTx=Полученная «пыль»
|
||||
funds.tx.dustAttackTx.popup=Вы получили очень маленькую сумму BTC, что может являться попыткой компаний, занимающихся анализом блокчейна, проследить за вашим кошельком.\n\nЕсли вы воспользуетесь этими средствами для совершения исходящей транзакции, они смогут узнать, что вы также являетесь вероятным владельцем другого адреса (т. н. «объединение монет»).\n\nДля защиты вашей конфиденциальности кошелёк Bisq игнорирует такую «пыль» при совершении исходящих транзакций и отображении баланса. Вы можете самостоятельно установить сумму, которая будет рассматриваться в качестве «пыли» в настройках.
|
||||
|
||||
|
||||
####################################################################
|
||||
# Support
|
||||
####################################################################
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Задержка
|
||||
settings.net.sentBytesColumn=Отправлено
|
||||
settings.net.receivedBytesColumn=Получено
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
settings.net.ips=[IP-адрес:порт | хост:порт | onion-адрес:порт] (через запятые). Порт можно не указывать, если используется порт по умолчанию (8333).
|
||||
settings.net.seedNode=Исходный узел
|
||||
settings.net.directPeer=Пир (прямой)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=входящий
|
|||
settings.net.outbound=выходящий
|
||||
settings.net.reSyncSPVChainLabel=Синхронизировать цепь SPV заново
|
||||
settings.net.reSyncSPVChainButton=Удалить файл SPV и синхронизировать повторно
|
||||
settings.net.reSyncSPVSuccess=The SPV chain file will be deleted on the next startup. You need to restart your application now.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=Файл цепи SPV удален. Подождите. Повторная синхронизации с сетью может занять некоторое время.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=Повторная синхронизация завершена. Перезагрузите приложение.
|
||||
settings.net.reSyncSPVFailed=Не удалось удалить файл цепи SPV.\nОшибка: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Счета в нац. валюте
|
|||
account.menu.altCoinsAccountView=Альткойн-счета
|
||||
account.menu.password=Пароль кошелька
|
||||
account.menu.seedWords=Мнемоническая фраза
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Публичный ключ
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Укажите адрес получате
|
|||
dao.wallet.send.send=Отправить BSQ
|
||||
dao.wallet.send.sendBtc=Отправить BTC
|
||||
dao.wallet.send.sendFunds.headline=Подтвердите запрос на вывод средств
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Последний проверенный блок: {0}
|
||||
dao.wallet.chainHeightSyncing=Ожидание блоков... Проверено: {0} бл. из {1}
|
||||
dao.wallet.tx.type=Тип
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Транзакции в BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=90 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgPrice30=30 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=Рыночная капитализация (на основе цены последней сделки)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=Доступное количество BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ issued v. BSQ burnt
|
||||
|
@ -2000,7 +2020,7 @@ disputeSummaryWindow.openDate=Дата обращения за поддержк
|
|||
disputeSummaryWindow.role=Роль трейдера
|
||||
disputeSummaryWindow.payout=Выплата суммы сделки
|
||||
disputeSummaryWindow.payout.getsTradeAmount={0} BTC получит выплату суммы сделки
|
||||
disputeSummaryWindow.payout.getsAll={0} BTC получит всё
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=Пользовательская выплата
|
||||
disputeSummaryWindow.payoutAmount.buyer=Сумма выплаты покупателя
|
||||
disputeSummaryWindow.payoutAmount.seller=Сумма выплаты продавца
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Оnion-адрес контрагента
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=Статус сделки
|
||||
tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Введите пароль для разблокировки
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ popup.warning.noMediatorsAvailable=There are no mediators available.
|
|||
popup.warning.notFullyConnected=Необходимо дождаться полного подключения к сети.\nОно может занять до 2 минут.
|
||||
popup.warning.notSufficientConnectionsToBtcNetwork=Необходимо дождаться не менее {0} соединений с сетью Биткойн.
|
||||
popup.warning.downloadNotComplete=Необходимо дождаться завершения загрузки недостающих блоков сети Биткойн.
|
||||
popup.warning.chainNotSynced=The Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Действительно хотите удалить это предложение?\nКомиссия мейкера в размере {0} компенсации не подлежит.
|
||||
popup.warning.tooLargePercentageValue=Нельзя установить процент в размере 100% или выше.
|
||||
popup.warning.examplePercentageValue=Введите процент, например \«5,4\» для 5,4%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer w
|
|||
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
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 Bisq support channel at the Bisq 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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Убедитесь, что в вашем районе
|
|||
popup.info.cashDepositInfo.confirm=Я подтверждаю, что могу внести оплату
|
||||
popup.info.shutDownWithOpenOffers=Bisq закрывается, но у вас есть открытые предложения.\n\nЭти предложения будут недоступны в сети P2P, пока приложение Bisq закрыто, но будут повторно опубликованы в сети P2P при следующем запуске Bisq.\n\nЧтобы ваши предложения были доступны в сети, компьютер и приложение должны быть включены и подключены к сети (убедитесь, что компьютер не перешёл в режим ожидания; переход монитора в спящий режим не влияет на работу приложения).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Важное личное уведомление!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Имя пользователя Venmo
|
|||
payment.popmoney.accountId=Эл. адрес или тел. номер
|
||||
payment.promptPay.promptPayId=Удостовер. личности / налог. номер или номер телефона
|
||||
payment.supportedCurrencies=Поддерживаемые валюты
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Ограничения
|
||||
payment.salt=Модификатор («соль») для подтверждения возраста счёта
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=จำนวนใน {0}
|
|||
shared.volumeWithCur=ปริมาณการซื้อขายใน {0}
|
||||
shared.currency=เงินตรา
|
||||
shared.market=ตลาด
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=วิธีการชำระเงิน
|
||||
shared.tradeCurrency=สกุลเงินตราการค้า
|
||||
shared.offerType=ประเภทข้อเสนอ
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Refund agent
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=You have too many unconfirmed transactions at the moment. Please try again later.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=ล็อคในการซื้อขาย
|
|||
mainView.balance.reserved.short=จองแล้ว
|
||||
mainView.balance.locked.short=ถูกล็อคไว้
|
||||
|
||||
mainView.footer.usingTor=(ใช้งาน Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(แม่ข่ายเฉพาะที่)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Connecting to Bitcoin network
|
||||
mainView.footer.bsqInfo.synchronizing=/ Synchronizing DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Connecting to
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=ยอมรับตำแหน่งป
|
|||
offerbook.availableOffers=ข้อเสนอที่พร้อมใช้งาน
|
||||
offerbook.filterByCurrency=กรองตามสกุลเงิน
|
||||
offerbook.filterByPaymentMethod=ตัวกรองตามวิธีการชำระเงิน
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=This account was verified and {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=signed by an arbitrator and can sign peer accounts
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=signed by a peer and limits were lifted
|
||||
offerbook.timeSinceSigning.info.signer=signed by peer and can sign peer accounts (limits lifted)
|
||||
offerbook.timeSinceSigning.info.banned=account was banned
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=When you successfully complete a trade with a peer who has a signed payment account, your payment account is signed.\n{0} days later, the initial limit of {1} is lifted and your account can sign other peers'' payment accounts.
|
||||
offerbook.timeSinceSigning.notSigned=Not signed yet
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} วัน
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=ไม่พร้อมใช้งาน
|
||||
shared.notSigned=This account hasn't been signed yet
|
||||
shared.notSigned.noNeed=This account type doesn't use signing
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=No. ของข้อเสนอ: {0}
|
||||
offerbook.volume={0} (ต่ำสุด - สูงสุด)
|
||||
|
@ -442,7 +449,7 @@ createOffer.placeOfferButton=รีวิว: ใส่ข้อเสนอไ
|
|||
createOffer.alreadyFunded=คุณได้รับเงินจากข้อเสนอนั้นแล้ว\nเงินของคุณถูกย้ายไปที่กระเป๋าสตางค์ Bisq ของคุณและคุณสามารถถอนเงินออกได้โดยไปที่หน้า \"เงิน / ส่งเงิน \"
|
||||
createOffer.createOfferFundWalletInfo.headline=เงินทุนสำหรับข้อเสนอของคุณ
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
createOffer.createOfferFundWalletInfo.tradeAmount=- ปริมาณการซื้อขาย: {0}
|
||||
createOffer.createOfferFundWalletInfo.tradeAmount=- ปริมาณการซื้อขาย: {0}
|
||||
createOffer.createOfferFundWalletInfo.msg=คุณต้องวางเงินมัดจำ {0} ข้อเสนอนี้\n\nเงินเหล่านั้นจะถูกสงวนไว้ใน wallet ภายในประเทศของคุณและจะถูกล็อคไว้ในที่อยู่ที่ฝากเงิน multisig เมื่อมีคนรับข้อเสนอของคุณ\n\nผลรวมของจำนวนของ: \n{1} - เงินประกันของคุณ: {2} \n- ค่าธรรมเนียมการซื้อขาย: {3} \n- ค่าขุด: {4} \n\nคุณสามารถเลือกระหว่างสองตัวเลือกเมื่อมีการระดุมทุนการซื้อขายของคุณ: \n- ใช้กระเป๋าสตางค์ Bisq ของคุณ (สะดวก แต่ธุรกรรมอาจเชื่อมโยงกันได้) หรือ\n- โอนเงินจากเงินภายนอกเข้ามา (อาจเป็นส่วนตัวมากขึ้น) \n\nคุณจะเห็นตัวเลือกและรายละเอียดการระดมทุนทั้งหมดหลังจากปิดป๊อปอัปนี้
|
||||
|
||||
# only first part "An error occurred when placing the offer:" has been used before. We added now the rest (need update in existing translations!)
|
||||
|
@ -499,7 +506,7 @@ takeOffer.noPriceFeedAvailable=คุณไม่สามารถรับข
|
|||
takeOffer.alreadyFunded.movedFunds=คุณได้รับเงินสนับสนุนแล้ว\nเงินของคุณถูกย้ายไปที่กระเป๋าสตางค์ Bisq ของคุณและพร้อมสำหรับการถอนเงินโดยไปที่หน้า \"เงิน / ส่งเงิน \"
|
||||
takeOffer.takeOfferFundWalletInfo.headline=ทุนการซื้อขายของคุณ
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
takeOffer.takeOfferFundWalletInfo.tradeAmount=- ปริมาณการซื้อขาย: {0}
|
||||
takeOffer.takeOfferFundWalletInfo.tradeAmount=- ปริมาณการซื้อขาย: {0}
|
||||
takeOffer.takeOfferFundWalletInfo.msg=คุณต้องวางเงินประกัน {0} เพื่อรับข้อเสนอนี้\n\nจำนวนเงินคือผลรวมของ: \n{1} - เงินประกันของคุณ: {2} \n- ค่าธรรมเนียมการซื้อขาย: {3} \n- ค่าธรรมเนียมการขุดทั้งหมด: {4} \n\nคุณสามารถเลือกระหว่างสองตัวเลือกเมื่อลงทุนการซื้อขายของคุณ: \n- ใช้กระเป๋าสตางค์ Bisq ของคุณ (สะดวก แต่ธุรกรรมอาจเชื่อมโยงกันได้) หรือ\n- โอนเงินจากแหล่งเงินภายนอก (อาจเป็นส่วนตัวมากขึ้น) \n\nคุณจะเห็นตัวเลือกและรายละเอียดการลงทุนทั้งหมดหลังจากปิดป๊อปอัปนี้
|
||||
takeOffer.alreadyPaidInFunds=หากคุณได้ชำระเงินแล้วคุณสามารถถอนเงินออกได้ในหน้าจอ \"เงิน / ส่งเงิน \"
|
||||
takeOffer.paymentInfo=ข้อมูลการชำระเงิน
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=ประวัติ
|
|||
portfolio.tab.failed=ผิดพลาด
|
||||
portfolio.tab.editOpenOffer=แก้ไขข้อเสนอ
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=รอการยืนยันของบล็อกเชน
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=ไม่มีธุรกรรมใด ๆ
|
|||
funds.tx.revert=กลับสู่สภาพเดิม
|
||||
funds.tx.txSent=ธุรกรรมถูกส่งสำเร็จไปยังที่อยู่ใหม่ใน Bisq wallet ท้องถิ่นแล้ว
|
||||
funds.tx.direction.self=ส่งถึงตัวคุณเอง
|
||||
funds.tx.daoTxFee=ค่าธรรมเนียมนักขุดสำหรับธุรกรรม DAO
|
||||
funds.tx.daoTxFee=ค่าธรรมเนียมของนักขุดบิทคอยน์สำหรับการทำธุรกรรม BSQ
|
||||
funds.tx.reimbursementRequestTxFee=ยื่นคำขอการชำระเงินคืน
|
||||
funds.tx.compensationRequestTxFee=คำขอค่าสินไหมทดแทน
|
||||
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 Bisq 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
|
||||
####################################################################
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=ไป - กลับ
|
||||
settings.net.sentBytesColumn=ส่งแล้ว
|
||||
settings.net.receivedBytesColumn=ได้รับแล้ว
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
settings.net.ips=[ที่อยู่ IP: พอร์ต | ชื่อโฮสต์: พอร์ต | ที่อยู่ onion: พอร์ต] (คั่นด้วยเครื่องหมายจุลภาค) Port สามารถละเว้นได้ถ้าใช้ค่าเริ่มต้น (8333)
|
||||
settings.net.seedNode=แหล่งโหนดข้อมูล
|
||||
settings.net.directPeer=Peer (โดยตรง)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=ขาเข้า
|
|||
settings.net.outbound=ขาออก
|
||||
settings.net.reSyncSPVChainLabel=ซิงค์อีกครั้ง SPV chain
|
||||
settings.net.reSyncSPVChainButton=ลบไฟล์ SPV และ ซิงค์อีกครั้ง
|
||||
settings.net.reSyncSPVSuccess=The SPV chain file will be deleted on the next startup. You need to restart your application now.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=ไฟล์ SPV chain ถูกลบแล้ว โปรดอดใจรอ อาจใช้เวลาสักครู่เพื่อทำการซิงค์ครั้งใหม่กับเครือข่าย
|
||||
settings.net.reSyncSPVAfterRestartCompleted=การซิงค์เสร็จสมบูรณ์แล้ว โปรดรีสตาร์ทแอ็พพลิเคชั่น
|
||||
settings.net.reSyncSPVFailed=ไม่สามารถลบไฟล์ SPV chain ได้\nข้อผิดพลาด: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=บัญชีสกุลเงินของป
|
|||
account.menu.altCoinsAccountView=บัญชี Altcoin (เหรียญทางเลือก)
|
||||
account.menu.password=รหัส Wallet
|
||||
account.menu.seedWords=รหัสลับ Wallet
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=กุญแจสาธารณะ
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=กรอกที่อยู่ปลา
|
|||
dao.wallet.send.send=ส่งเงิน BSQ
|
||||
dao.wallet.send.sendBtc=ส่งเงินทุน BTC
|
||||
dao.wallet.send.sendFunds.headline=ยืนยันคำขอถอนเงิน
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=บล็อกที่ได้รับการพิสูจน์แล้วล่าสุด: {0}
|
||||
dao.wallet.chainHeightSyncing=บล็อกที่กำลังรอดำเนินการ... ตรวจสอบแล้ว {0} จากบล็อกทั้งหมด {1}
|
||||
dao.wallet.tx.type=หมวด
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=BSQ Transactions
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=90 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgPrice30=30 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=โครงสร้างเงินทุนในตลาด (ขึ้นอยู่กับราคาเทรด)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=BSQ ที่ใช้งานได้ทั้งหมด
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ issued v. BSQ burnt
|
||||
|
@ -2000,7 +2020,7 @@ disputeSummaryWindow.openDate=วันที่ยื่นการเปิ
|
|||
disputeSummaryWindow.role=บทบาทของผู้ค้า
|
||||
disputeSummaryWindow.payout=การจ่ายเงินของจำนวนการซื้อขาย
|
||||
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} รับการจ่ายเงินของปริมาณการซื้อขาย:
|
||||
disputeSummaryWindow.payout.getsAll=BTC {0} รับทั้งหมด
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {0}
|
||||
disputeSummaryWindow.payout.custom=การชำระเงินที่กำหนดเอง
|
||||
disputeSummaryWindow.payoutAmount.buyer=จำนวนเงินที่จ่ายของผู้ซื้อ
|
||||
disputeSummaryWindow.payoutAmount.seller=จำนวนเงินที่จ่ายของผู้ขาย
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=ที่อยู่ของ onion คู
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=สถานะการค้า
|
||||
tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=ป้อนรหัสผ่านเพื่อปลดล็อก
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=คุณแน่ใจหรือไม่ว่าต้องการนำข้อเสนอนั้นออก\nค่าธรรมเนียมของผู้สร้าง {0} จะสูญหายไปหากคุณนำข้อเสนอนั้นออก
|
||||
popup.warning.tooLargePercentageValue=คุณไม่สามารถกำหนดเปอร์เซ็นต์เป็น 100% หรือมากกว่าได้
|
||||
popup.warning.examplePercentageValue=โปรดป้อนตัวเลขเปอร์เซ็นต์เช่น \"5.4 \" เป็น 5.4%
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=The maker fee transaction for offer w
|
|||
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
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 Bisq support channel at the Bisq 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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=โปรดตรวจสอบว่าคุณ
|
|||
popup.info.cashDepositInfo.confirm=ฉันยืนยันว่าฉันสามารถฝากเงินได้
|
||||
popup.info.shutDownWithOpenOffers=Bisq คือกำลังจะปิดลง แต่ยังคงมีการเปิดขายข้อเสนอปกติ\nข้อเสนอเหล่านี้จะไม่ใข้งานได้บนเครือข่าย P2P network ในขณะที่ Bisq ปิดตัวลง แต่จะมีการเผยแพร่บนเครือข่าย P2P ครั้งถัดไปเมื่อคุณมีการเริ่มใช้งาน Bisq.\n\nในการคงสถานะข้อเสนอแบบออนไลน์ คือเปิดใข้งาน Bisq และทำให้มั่นใจว่าคอมพิวเตอร์เครื่องนี้กำลังออนไลน์อยู่ด้วยเช่นกัน (เช่น ตรวจสอบว่าคอมพิวเตอร์ไม่ได้อยู่ในโหมดแสตนบายด์...หน้าจอแสตนบายด์ไม่มีปัญหา)
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=การแจ้งเตือนส่วนตัวที่สำคัญ!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=ชื่อผู้ใช้ Venmo
|
|||
payment.popmoney.accountId=อีเมลหรือหมายเลขโทรศัพท์
|
||||
payment.promptPay.promptPayId=รหัสบัตรประชาชน/รหัสประจำตัวผู้เสียภาษี หรือเบอร์โทรศัพท์
|
||||
payment.supportedCurrencies=สกุลเงินที่ได้รับการสนับสนุน
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=ข้อจำกัด
|
||||
payment.salt=ข้อมูลแบบสุ่มสำหรับการตรวจสอบอายุบัญชี
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
@ -2601,7 +2625,7 @@ payment.clearXchange.info=Zelle is a money transfer service that works best *thr
|
|||
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 Bisq 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.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 แล้ว
|
||||
# suppress inspection "UnusedMessageFormatParameter"
|
||||
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Bisq 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://bisq.wiki/Account_limits].
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur=Thành tiền bằng {0}
|
|||
shared.volumeWithCur=Khối lượng bằng {0}
|
||||
shared.currency=Tiền tệ
|
||||
shared.market=Thị trường
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=Hình thức thanh toán
|
||||
shared.tradeCurrency=Loại tiền tệ giao dịch
|
||||
shared.offerType=Loại chào giá
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=Refund agent
|
|||
shared.delayedPayoutTxId=Delayed payout transaction ID
|
||||
shared.delayedPayoutTxReceiverAddress=Delayed payout transaction sent to
|
||||
shared.unconfirmedTransactionsLimitReached=You have too many unconfirmed transactions at the moment. Please try again later.
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=Enabled
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=Khóa trong giao dịch
|
|||
mainView.balance.reserved.short=Bảo lưu
|
||||
mainView.balance.locked.short=Bị khóa
|
||||
|
||||
mainView.footer.usingTor=(sử dụng Tor)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(Máy chủ nội bộ)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ Current fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=Đang kết nối với mạng Bitcoin
|
||||
mainView.footer.bsqInfo.synchronizing=/ Đang đồng bộ hóa DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=Đang kết nối với
|
||||
mainView.footer.btcInfo.connectionFailed=Connection failed to
|
||||
mainView.footer.p2pInfo=Bitcoin network peers: {0} / Bisq network peers: {1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=Các quốc gia có ngân hàng được ch
|
|||
offerbook.availableOffers=Các chào giá hiện có
|
||||
offerbook.filterByCurrency=Lọc theo tiền tệ
|
||||
offerbook.filterByPaymentMethod=Lọc theo phương thức thanh toán
|
||||
offerbook.timeSinceSigning=Signed since
|
||||
offerbook.timeSinceSigning=Account info
|
||||
offerbook.timeSinceSigning.info=This account was verified and {0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=signed by an arbitrator and can sign peer accounts
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peer=signed by a peer, waiting %d days for limits to be lifted
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=signed by a peer and limits were lifted
|
||||
offerbook.timeSinceSigning.info.signer=signed by peer and can sign peer accounts (limits lifted)
|
||||
offerbook.timeSinceSigning.info.banned=account was banned
|
||||
|
@ -349,9 +353,12 @@ offerbook.xmrAutoConf=Is auto-confirm enabled
|
|||
|
||||
offerbook.timeSinceSigning.help=When you successfully complete a trade with a peer who has a signed payment account, your payment account is signed.\n{0} days later, the initial limit of {1} is lifted and your account can sign other peers'' payment accounts.
|
||||
offerbook.timeSinceSigning.notSigned=Not signed yet
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} ngày
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=Không áp dụng
|
||||
shared.notSigned=This account hasn't been signed yet
|
||||
shared.notSigned.noNeed=This account type doesn't use signing
|
||||
shared.notSigned=This account has not been signed yet and was created {0} days ago
|
||||
shared.notSigned.noNeed=This account type does not require signing
|
||||
shared.notSigned.noNeedDays=This account type does not require signing and was created {0} days ago
|
||||
shared.notSigned.noNeedAlts=Altcoin accounts do not feature signing or aging
|
||||
|
||||
offerbook.nrOffers=Số chào giá: {0}
|
||||
offerbook.volume={0} (min - max)
|
||||
|
@ -541,6 +548,8 @@ portfolio.tab.history=Lịch sử
|
|||
portfolio.tab.failed=Không thành công
|
||||
portfolio.tab.editOpenOffer=Chỉnh sửa báo giá
|
||||
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=There is an issue with a missing or invalid transaction.\n\nPlease do NOT send the fiat or altcoin payment. Contact Bisq developers on Keybase [HYPERLINK:https://keybase.io/team/bisq] or on the forum [HYPERLINK:https://bisq.community] for further assistance.\n\nError message: {0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=Đợi xác nhận blockchain
|
||||
|
@ -886,12 +895,11 @@ funds.tx.noTxAvailable=Không có giao dịch nào
|
|||
funds.tx.revert=Khôi phục
|
||||
funds.tx.txSent=GIao dịch đã gửi thành công tới địa chỉ mới trong ví Bisq nội bộ.
|
||||
funds.tx.direction.self=Gửi cho chính bạn
|
||||
funds.tx.daoTxFee=Phí đào cho giao dịch DAO
|
||||
funds.tx.daoTxFee=Phí đào cho giao dịch BSQ
|
||||
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í Bisq 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 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í Bisq 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
|
||||
|
@ -1052,6 +1060,7 @@ 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.roundTripTimeColumn=Khứ hồi
|
||||
settings.net.sentBytesColumn=Đã gửi
|
||||
settings.net.receivedBytesColumn=Đã nhận
|
||||
|
@ -1066,6 +1075,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=Bisq: {0} | Peers: {1}
|
||||
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)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=chuyến về
|
|||
settings.net.outbound=chuyến đi
|
||||
settings.net.reSyncSPVChainLabel=Đồng bộ hóa lại SPV chain
|
||||
settings.net.reSyncSPVChainButton=Xóa file SPV và đồng bộ hóa lại
|
||||
settings.net.reSyncSPVSuccess=The SPV chain file will be deleted on the next startup. You need to restart your application now.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=File chuỗi SPV đã được xóa. Vui lòng đợi, có thể mất một lúc để đồng bộ hóa với mạng.
|
||||
settings.net.reSyncSPVAfterRestartCompleted=Đồng bộ hóa đã xong. Vui lòng khởi động lại ứng dụng.
|
||||
settings.net.reSyncSPVFailed=Không thể xóa SPV chain file.\nLỗi: {0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=Tài khoản tiền tệ quốc gia
|
|||
account.menu.altCoinsAccountView=Tài khoản Altcoin
|
||||
account.menu.password=Password ví
|
||||
account.menu.seedWords=Mã sao lưu dự phòng ví
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=Public key (địa chỉ ví)
|
||||
|
||||
|
@ -1203,9 +1223,9 @@ account.altcoin.popup.ZEC.msg=When using Zcash you can only use the transparent
|
|||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.XZC.msg=When using Zcoin you can only use the transparent (traceable) addresses, not the untraceable addresses, because the mediator or arbitrator would not be able to verify the transaction with untraceable addresses at a block explorer.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.grin.msg=GRIN yêu cầu một quá trình tương tác giữa người gửi và người nhận để thực hiện một giao dịch. Vui lòng làm theo hướng dẫn từ trang web của dự án GRIN để gửi và nhận GRIN đúng cách. (người nhận cần phải trực tuyến hoặc ít nhất là trực tuyến trong một khung thời gian nhất định).\n\nBisq chỉ hỗ trợ ví Grinbox(wallet713) theo định dạng URL.\n\nNgười gửi GRIN phải cung cấp bằng chứng là họ đã gửi GRIN thành công. Nếu ví không thể cung cấp bằng chứng đó, nếu có tranh chấp thì sẽ được giải quyết theo hướng có lợi cho người nhận GRIN. Vui lòng đảm bảo rằng bạn sử dụng phần mềm Grinbox mới nhất có hỗ trợ bằng chứng giao dịch và bạn hiểu quy trình chuyển và nhận GRIN cũng như tạo bằng chứng. \n\nXem https://github.com/vault713/wallet713/blob/master/docs/usage.md#transaction-proofs-grinbox-only để biết thêm thông tin về công cụ bằng chứng Grinbox.
|
||||
account.altcoin.popup.grin.msg=GRIN yêu cầu một quá trình tương tác giữa người gửi và người nhận để thực hiện một giao dịch. Vui lòng làm theo hướng dẫn từ trang web của dự án GRIN để gửi và nhận GRIN đúng cách. (người nhận cần phải trực tuyến hoặc ít nhất là trực tuyến trong một khung thời gian nhất định).\n\nBisq chỉ hỗ trợ ví Grinbox(wallet713) theo định dạng URL.\n\nNgười gửi GRIN phải cung cấp bằng chứng là họ đã gửi GRIN thành công. Nếu ví không thể cung cấp bằng chứng đó, nếu có tranh chấp thì sẽ được giải quyết theo hướng có lợi cho người nhận GRIN. Vui lòng đảm bảo rằng bạn sử dụng phần mềm Grinbox mới nhất có hỗ trợ bằng chứng giao dịch và bạn hiểu quy trình chuyển và nhận GRIN cũng như tạo bằng chứng. \n\nXem https://github.com/vault713/wallet713/blob/master/docs/usage.md#transaction-proofs-grinbox-only để biết thêm thông tin về công cụ bằng chứng Grinbox.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.beam.msg=BEAM yêu cầu một quá trình tương tác giữa người gửi và người nhận để thực hiện một giao dịch. \n\nVui lòng làm theo hướng dẫn từ trang web của dự án BEAM để gửi và nhận BEAM đúng cách. (người nhận cần phải trực tuyến hoặc ít nhất là trực tuyến trong một khung thời gian nhất định).\n\nNgười gửi BEAM phải cung cấp bằng chứng là họ đã gửi BEAM thành công. Vui lòng đảm bảo là bạn sử dụng phần mềm ví có thể tạo ra một bằng chứng như vậy. Nếu ví không thể cung cấp bằng chứng đó, nếu có tranh chấp thì sẽ được giải quyết theo hướng có lợi cho người nhận BEAM.
|
||||
account.altcoin.popup.beam.msg=BEAM yêu cầu một quá trình tương tác giữa người gửi và người nhận để thực hiện một giao dịch. \n\nVui lòng làm theo hướng dẫn từ trang web của dự án BEAM để gửi và nhận BEAM đúng cách. (người nhận cần phải trực tuyến hoặc ít nhất là trực tuyến trong một khung thời gian nhất định).\n\nNgười gửi BEAM phải cung cấp bằng chứng là họ đã gửi BEAM thành công. Vui lòng đảm bảo là bạn sử dụng phần mềm ví có thể tạo ra một bằng chứng như vậy. Nếu ví không thể cung cấp bằng chứng đó, nếu có tranh chấp thì sẽ được giải quyết theo hướng có lợi cho người nhận BEAM.
|
||||
# suppress inspection "UnusedProperty"
|
||||
account.altcoin.popup.pars.msg=Trading ParsiCoin on Bisq requires that you understand and fulfill the following requirements:\n\nTo send PARS you must use the official ParsiCoin Wallet version 3.0.0 or higher. \n\nYou can Check your Transaction Hash and Transaction Key on Transactions Section on your GUI Wallet (ParsiPay) You need to right Click on the Transaction and then click on show details. \n\nIn the event that arbitration is necessary, you must present the following to an mediator or arbitrator: 1) the Transaction Hash, 2) the Transaction Key, and 3) the recipient's PARS address. The mediator or arbitrator will then verify the PARS transfer using the ParsiCoin Block Explorer (http://explorer.parsicoin.net/#check_payment).\n\nFailure to provide the required information to the mediator or arbitrator will result in losing the dispute case. In all cases of dispute, the ParsiCoin sender bears 100% of the burden of responsibility in verifying transactions to an mediator or arbitrator. \n\nIf you do not understand these requirements, do not trade on Bisq. First, seek help at the ParsiCoin Discord (https://discord.gg/c7qmFNh).
|
||||
|
||||
|
@ -1239,7 +1259,7 @@ account.seed.backup.warning=Please note that the seed words are NOT a replacemen
|
|||
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 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.ok=Được, hãy thực hiện khôi phục và tắt ứng dụng Bisq
|
||||
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=Điền địa chỉ đến của bạn
|
|||
dao.wallet.send.send=Gửi vốn BSQ
|
||||
dao.wallet.send.sendBtc=Gửi vốn BTC
|
||||
dao.wallet.send.sendFunds.headline=Xác nhận yêu cầu rút
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired mining fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.chainHeightSynced=Khối đã xác minh mới nhất: {0}
|
||||
dao.wallet.chainHeightSyncing=Đang chờ khối mới... Đã xác nhận{0} / {1} khối
|
||||
dao.wallet.tx.type=Loại
|
||||
|
@ -1859,11 +1879,11 @@ dao.feeTx.confirm.details={0} fee: {1}\nMining fee: {2} ({3} Satoshis/vbyte)\nTr
|
|||
dao.feeTx.issuanceProposal.confirm.details={0} fee: {1}\nBTC needed for BSQ issuance: {2} ({3} Satoshis/BSQ)\nMining fee: {4} ({5} Satoshis/vbyte)\nTransaction vsize: {6} vKb\n\nIf your request is approved, you will receive the amount you requested net of the 2 BSQ proposal fee.\n\nAre you sure you want to publish the {7} transaction?
|
||||
|
||||
dao.news.bisqDAO.title=DAO BISQ
|
||||
dao.news.bisqDAO.description=Vì BIsq là sàn giao dịch phi tập trung và không bị kiểm duyệt, bởi vậy mô hình vận hành của nó, DAO Bisq và đồng BSQ là công cụ giúp điều này trở thành hiện thực.
|
||||
dao.news.bisqDAO.description=Vì BIsq là sàn giao dịch phi tập trung và không bị kiểm duyệt, bởi vậy mô hình vận hành của nó, DAO Bisq và đồng BSQ là công cụ giúp điều này trở thành hiện thực.
|
||||
dao.news.bisqDAO.readMoreLink=Tìm hiểu thêm về DAO Bisq
|
||||
|
||||
dao.news.pastContribution.title=BẠN ĐÃ THAM GIA ĐÓNG GÓP? YÊU CẦU BSQ
|
||||
dao.news.pastContribution.description=Nếu như bạn đã tham giao đóng góp cho Bisq, vui lòng sử dụng ví BSQ phía dưới và thực hiện một yêu cầu tham gia vào sự kiện phát hành BSQ genesis.
|
||||
dao.news.pastContribution.description=Nếu như bạn đã tham giao đóng góp cho Bisq, vui lòng sử dụng ví BSQ phía dưới và thực hiện một yêu cầu tham gia vào sự kiện phát hành BSQ genesis.
|
||||
dao.news.pastContribution.yourAddress=Ví BSQ của bạn
|
||||
dao.news.pastContribution.requestNow=Yêu cầu ngay
|
||||
|
||||
|
@ -1874,9 +1894,9 @@ dao.news.DAOOnTestnet.firstSection.content=1. Chuyển qua chế độ Testnet D
|
|||
dao.news.DAOOnTestnet.secondSection.title=2. Kiếm BSQ
|
||||
dao.news.DAOOnTestnet.secondSection.content=Yêu cầu BSQ trên Slack hoặc Mua BSQ trên Bisq
|
||||
dao.news.DAOOnTestnet.thirdSection.title=3. Tham gia một vòng bỏ phiếu
|
||||
dao.news.DAOOnTestnet.thirdSection.content=Tạo đề xuất và bỏ phiếu cho đề xuất để thanh đổi nhiều khía cạnh của Bisq.
|
||||
dao.news.DAOOnTestnet.thirdSection.content=Tạo đề xuất và bỏ phiếu cho đề xuất để thanh đổi nhiều khía cạnh của Bisq.
|
||||
dao.news.DAOOnTestnet.fourthSection.title=4. Tìm hiểu về BSQ Block Explorer
|
||||
dao.news.DAOOnTestnet.fourthSection.content=Vì BSQ chỉa là bitcoin, bạn có thể thấy các giao dịch BSQ trên trình duyện bitcoin Block Explorer của chúng tôi.
|
||||
dao.news.DAOOnTestnet.fourthSection.content=Vì BSQ chỉa là bitcoin, bạn có thể thấy các giao dịch BSQ trên trình duyện bitcoin Block Explorer của chúng tôi.
|
||||
dao.news.DAOOnTestnet.readMoreLink=Đọc tài liệu đầy đủ
|
||||
|
||||
dao.monitor.daoState=Trạng thái DAO
|
||||
|
@ -1894,7 +1914,7 @@ dao.monitor.table.seedPeers=Seed node: {0}
|
|||
|
||||
dao.monitor.daoState.headline=Trạng thái DAO
|
||||
dao.monitor.daoState.table.headline=Chuỗi Hash trạng thái DAO
|
||||
dao.monitor.daoState.table.blockHeight=Chiều cao khối
|
||||
dao.monitor.daoState.table.blockHeight=Chiều cao khối
|
||||
dao.monitor.daoState.table.hash=Hash của trạng thái DAO
|
||||
dao.monitor.daoState.table.prev=Hash trước đó
|
||||
dao.monitor.daoState.conflictTable.headline=Hash trạng thái DAO từ đối tác đang trong xung dột
|
||||
|
@ -1912,7 +1932,7 @@ dao.monitor.proposal.table.hash=Hash trạng thái đề xuất
|
|||
dao.monitor.proposal.table.prev=Hash trước đó
|
||||
dao.monitor.proposal.table.numProposals=Số đề xuất
|
||||
|
||||
dao.monitor.isInConflictWithSeedNode=Dữ liệu trên máy bạn không đồng bộ với ít nhất một seed node. Vui lòng đồng bộ lại trạng thái DAO.
|
||||
dao.monitor.isInConflictWithSeedNode=Dữ liệu trên máy bạn không đồng bộ với ít nhất một seed node. Vui lòng đồng bộ lại trạng thái DAO.
|
||||
dao.monitor.isInConflictWithNonSeedNode=Một trong các đối tác của bạn không đồng bộ với mạng nhưng node của bạn vẫn đang đồng bộ với các seed node.
|
||||
dao.monitor.daoStateInSync=Node trên máy tính của bạn đang dồng bộ với mạng
|
||||
|
||||
|
@ -1928,9 +1948,9 @@ dao.factsAndFigures.menuItem.transactions=Giao dịch BSQ
|
|||
|
||||
dao.factsAndFigures.dashboard.avgPrice90=90 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgPrice30=30 days average BSQ/BTC trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ trade price
|
||||
dao.factsAndFigures.dashboard.marketCap=Vốn hóa thị trường (dựa trên giá giao dịch)
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 days volume weighted average USD/BSQ price
|
||||
dao.factsAndFigures.dashboard.marketCap=Market capitalisation (based on 30 days average USD/BSQ price)
|
||||
dao.factsAndFigures.dashboard.availableAmount=Tổng lượng BSQ hiện có
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=BSQ issued v. BSQ burnt
|
||||
|
@ -2000,7 +2020,7 @@ 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=BTC {0} nhận tất cả
|
||||
disputeSummaryWindow.payout.getsAll=Max. payout to BTC {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
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=Địa chỉ onion Đối tác giao dịch
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=Trading peers pubkey hash
|
||||
tradeDetailsWindow.tradeState=Trạng thái giao dịch
|
||||
tradeDetailsWindow.agentAddresses=Arbitrator/Mediator
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=Nhập mật khẩu để mở khóa
|
||||
|
||||
|
@ -2226,6 +2247,7 @@ 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 Bisq 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://bisq.wiki/Resyncing_SPV_file]
|
||||
popup.warning.removeOffer=Bạn có chắc bạn muốn gỡ bỏ Báo giá này?\nPhí người khởi tạo {0} sẽ bị mất nếu bạn gỡ bỏ Báo giá.
|
||||
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%
|
||||
|
@ -2248,13 +2270,13 @@ popup.warning.seed=seed
|
|||
popup.warning.mandatoryUpdate.trading=Please update to the latest Bisq version. A mandatory update was released which disables trading for old versions. Please check out the Bisq Forum for more information.
|
||||
popup.warning.mandatoryUpdate.dao=Please update to the latest Bisq version. A mandatory update was released which disables the Bisq DAO and BSQ for old versions. Please check out the Bisq Forum for more information.
|
||||
popup.warning.disable.dao=The Bisq DAO and BSQ are temporary disabled. Please check out the Bisq Forum for more information.
|
||||
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.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.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 Bisq support channel at the Bisq 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 Bisq support channel at the Bisq Keybase team.
|
||||
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 Bisq support channel at the Bisq 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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=Chắc chắn rằng khu vực của bạn có chi nh
|
|||
popup.info.cashDepositInfo.confirm=Tôi xác nhận tôi đã gửi tiền
|
||||
popup.info.shutDownWithOpenOffers=Bisq đang đóng, nhưng vẫn có các chào giá đang mở. \n\nNhững chào giá này sẽ không có tại mạng P2P khi Bisq đang đóng, nhưng chúng sẽ được công bố lại trên mạng P2P vào lần tiếp theo bạn khởi động Bisq.\nĐể giữ các chào giá luôn trực tuyến, vui lòng để Bisq chạy và đảm bảo là máy tính của bạn cũng đang trực tuyến(có nghĩa là đảm bảo là máy tính của bạn không chuyển về chế độ chờ...nếu màn hình về chế độ chờ thì không sao).
|
||||
popup.info.qubesOSSetupInfo=It appears you are running Bisq on Qubes OS. \n\nPlease make sure your Bisq qube is setup according to our Setup Guide at [HYPERLINK:https://bisq.wiki/Running_Bisq_on_Qubes].
|
||||
popup.warn.downGradePrevention=Downgrade from version {0} to version {1} is not supported. Please use the latest Bisq version.
|
||||
|
||||
popup.privateNotification.headline=Thông báo riêng tư quan trọng!
|
||||
|
||||
|
@ -2561,6 +2584,7 @@ payment.venmo.venmoUserName=Tên người dùng Venmo
|
|||
payment.popmoney.accountId=Email hoặc số điện thoại
|
||||
payment.promptPay.promptPayId=ID công dân/ ID thuế hoặc số điện thoại
|
||||
payment.supportedCurrencies=Tiền tệ hỗ trợ
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=Hạn chế
|
||||
payment.salt=Salt để xác minh tuổi tài khoản
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
|
|
|
@ -71,6 +71,7 @@ shared.amountWithCur={0} 数量
|
|||
shared.volumeWithCur={0} 总量
|
||||
shared.currency=货币类型
|
||||
shared.market=交易项目
|
||||
shared.deviation=Deviation
|
||||
shared.paymentMethod=付款方式
|
||||
shared.tradeCurrency=交易货币
|
||||
shared.offerType=报价类型
|
||||
|
@ -123,7 +124,7 @@ shared.noDateAvailable=没有可用数据
|
|||
shared.noDetailsAvailable=没有可用详细
|
||||
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?
|
||||
shared.sendFundsDetailsWithFee=发送:{0}\n来自:{1}\n接收地址:{2}\n要求的最低交易费:{3}({4} 聪/byte)\n交易大小:{5} Kb\n\n收款方将收到:{6}\n\n您确定您想要提现吗?
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
shared.sendFundsDetailsDust=Bisq 检测到,该交易将产生一个低于最低零头阈值的输出(不被比特币共识规则所允许)。相反,这些零头({0}satoshi{1})将被添加到挖矿手续费中。
|
||||
shared.copyToClipboard=复制到剪贴板
|
||||
|
@ -218,6 +219,9 @@ shared.refundAgentForSupportStaff=退款助理
|
|||
shared.delayedPayoutTxId=延迟支付交易 ID
|
||||
shared.delayedPayoutTxReceiverAddress=延迟交易交易已发送至
|
||||
shared.unconfirmedTransactionsLimitReached=你现在有过多的未确认交易。请稍后尝试
|
||||
shared.numItemsLabel=Number of entries: {0}
|
||||
shared.filter=Filter
|
||||
shared.enabled=启用
|
||||
|
||||
|
||||
####################################################################
|
||||
|
@ -248,14 +252,14 @@ mainView.balance.locked=冻结余额
|
|||
mainView.balance.reserved.short=保证
|
||||
mainView.balance.locked.short=冻结
|
||||
|
||||
mainView.footer.usingTor=(使用 Tor 中)
|
||||
mainView.footer.usingTor=(via Tor)
|
||||
mainView.footer.localhostBitcoinNode=(本地主机)
|
||||
mainView.footer.btcInfo={0} {1} {2}
|
||||
mainView.footer.btcFeeRate=/ 当前矿工手续费费率:{0} sat/vB
|
||||
mainView.footer.btcInfo={0} {1}
|
||||
mainView.footer.btcFeeRate=/ Fee rate: {0} sat/vB
|
||||
mainView.footer.btcInfo.initializing=连接至比特币网络
|
||||
mainView.footer.bsqInfo.synchronizing=正在同步 DAO
|
||||
mainView.footer.btcInfo.synchronizingWith=正在同步至
|
||||
mainView.footer.btcInfo.synchronizedWith=已同步至
|
||||
mainView.footer.btcInfo.synchronizingWith=Synchronizing with {0} at block: {1} / {2}
|
||||
mainView.footer.btcInfo.synchronizedWith=Synced with {0} at block {1}
|
||||
mainView.footer.btcInfo.connectingTo=连接至
|
||||
mainView.footer.btcInfo.connectionFailed=连接失败:
|
||||
mainView.footer.p2pInfo=比特币网络节点:{0} / Bisq 网络节点:{1}
|
||||
|
@ -336,10 +340,10 @@ offerbook.offerersAcceptedBankSeats=接受的银行所在国家(买家):\n
|
|||
offerbook.availableOffers=可用报价
|
||||
offerbook.filterByCurrency=以货币筛选
|
||||
offerbook.filterByPaymentMethod=以支付方式筛选
|
||||
offerbook.timeSinceSigning=已验证,从
|
||||
offerbook.timeSinceSigning=账户信息
|
||||
offerbook.timeSinceSigning.info=此账户已验证,{0}
|
||||
offerbook.timeSinceSigning.info.arbitrator=由仲裁员验证,并可以验证伙伴账户
|
||||
offerbook.timeSinceSigning.info.peer=由对方验证,等待限制被解除
|
||||
offerbook.timeSinceSigning.info.peer=由对方验证,等待%d天限制被解除
|
||||
offerbook.timeSinceSigning.info.peerLimitLifted=由对方验证,限制被取消
|
||||
offerbook.timeSinceSigning.info.signer=由对方验证,并可验证对方账户(限制已取消)
|
||||
offerbook.timeSinceSigning.info.banned=账户已被封禁
|
||||
|
@ -349,19 +353,22 @@ offerbook.xmrAutoConf=是否开启自动确认
|
|||
|
||||
offerbook.timeSinceSigning.help=当您成功地完成与拥有已验证付款帐户的伙伴交易时,您的付款帐户已验证。\n{0} 天后,最初的 {1} 的限制解除以及你的账户可以验证其他人的付款账户。
|
||||
offerbook.timeSinceSigning.notSigned=尚未验证
|
||||
offerbook.timeSinceSigning.notSigned.ageDays={0} 天
|
||||
offerbook.timeSinceSigning.notSigned.noNeed=N/A
|
||||
shared.notSigned=此账户还没有被验证
|
||||
shared.notSigned=此账户还没有被验证以及在{0}前创建
|
||||
shared.notSigned.noNeed=此账户类型不适用验证
|
||||
shared.notSigned.noNeedDays=此账户类型不适用验证且在{0}天创建
|
||||
shared.notSigned.noNeedAlts=数字货币不适用账龄与签名
|
||||
|
||||
offerbook.nrOffers=报价数量:{0}
|
||||
offerbook.volume={0}(最小 - 最大)
|
||||
offerbook.deposit=BTC 保证金(%)
|
||||
offerbook.deposit.help=交易双方均已支付保证金确保这个交易正常进行。这会在交易完成时退还。
|
||||
|
||||
offerbook.createOfferToBuy=创建新的报价来买入 {0}
|
||||
offerbook.createOfferToSell=创建新的报价来卖出 {0}
|
||||
offerbook.createOfferToBuy=创建新的报价来买入 {0}
|
||||
offerbook.createOfferToSell=创建新的报价来卖出 {0}
|
||||
offerbook.createOfferToBuy.withFiat=创建新的报价用 {1} 购买 {0}
|
||||
offerbook.createOfferToSell.forFiat=创建新的报价以 {1} 出售 {0}
|
||||
offerbook.createOfferToSell.forFiat=创建新的报价以 {1} 出售 {0}
|
||||
offerbook.createOfferToBuy.withCrypto=创建新的卖出报价 {0} (买入 {1})
|
||||
offerbook.createOfferToSell.forCrypto=创建新的买入报价 {0}(卖出 {1})
|
||||
|
||||
|
@ -541,7 +548,9 @@ portfolio.tab.history=历史记录
|
|||
portfolio.tab.failed=失败
|
||||
portfolio.tab.editOpenOffer=编辑报价
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=这里有一个缺失或不可用交易导致的问题\n\n请不要发送法币或者任何数字货币。联系 Bisq 开发者在 Keybase 上 https://keybase.io/team/bisq 或者在论坛上https://bisq.community 以寻求更多协助。\n\n错误信息:{0}
|
||||
portfolio.closedTrades.deviation.help=Percentage price deviation from market
|
||||
|
||||
portfolio.pending.invalidDelayedPayoutTx=这里有一个缺失或不可用交易导致的问题\n\n请不要发送法币或者任何数字货币。联系 Bisq 开发者在 Keybase 上 https://keybase.io/team/bisq 或者在论坛上https://bisq.community 以寻求更多协助。\n\n错误信息:{0}
|
||||
|
||||
portfolio.pending.step1.waitForConf=等待区块链确认
|
||||
portfolio.pending.step2_buyer.startPayment=开始付款
|
||||
|
@ -607,7 +616,7 @@ portfolio.pending.step2_buyer.moneyGram.extra=重要要求:\n完成支付后
|
|||
portfolio.pending.step2_buyer.westernUnion=请使用 Western Union 向 BTC 卖家支付 {0}。\n\n
|
||||
portfolio.pending.step2_buyer.westernUnion.extra=重要要求:\n完成支付后,请通过电邮发送 MTCN(追踪号码)和照片给 BTC 卖家。\n收据必须清楚地向卖家写明您的全名、城市、国家或地区、数量。卖方的电子邮件是:{0}。
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.amazonGiftCard=Please purchase an Amazon eGift Card for {0} at your Amazon account and use the BTC seller''s email or mobile number as receiver. In case the trade amount exceeds the permitted amount send multiple cards.\n\n
|
||||
portfolio.pending.step2_buyer.amazonGiftCard=请使用您的账户购买{0}亚马逊电子礼品卡并使用 BTC 卖家的邮箱或手机号作为接收方。如果交易额超过允许的数量请发送多个礼品卡。\n\n
|
||||
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
portfolio.pending.step2_buyer.postal=请用“美国邮政汇票”发送 {0} 给 BTC 卖家。\n\n
|
||||
|
@ -629,7 +638,7 @@ portfolio.pending.step2_buyer.moneyGramMTCNInfo.headline=发送授权编号和
|
|||
portfolio.pending.step2_buyer.moneyGramMTCNInfo.msg=请通过电邮发送授权编号和照片给 BTC 卖家。\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.halCashInfo.headline=请发送 HalCash 代码
|
||||
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.fasterPaymentsHolderNameInfo=有些银行可能会要求接收方的姓名。在较旧的 Bisq 客户端创建的快速支付帐户没有提供收款人的姓名,所以请使用交易聊天来获得收款人姓名(如果需要)。
|
||||
portfolio.pending.step2_buyer.confirmStart.headline=确定您已经付款
|
||||
|
@ -680,7 +689,7 @@ portfolio.pending.step3_seller.cash=因为付款是通过现金存款完成的
|
|||
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.halCash=买方必须将 HalCash代码 用短信发送给您。除此之外,您将收到来自 HalCash 的消息,其中包含从支持 HalCash 的 ATM 中提取欧元所需的信息\n从 ATM 取款后,请在此确认付款收据!
|
||||
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.
|
||||
portfolio.pending.step3_seller.amazonGiftCard=BTC 买家已经发送了一张亚马逊电子礼品卡到您的邮箱或手机短信。请现在立即兑换亚马逊电子礼品卡到您的亚马逊账户中以及确认交易信息。
|
||||
|
||||
portfolio.pending.step3_seller.bankCheck=\n\n还请确认您的银行对帐单中的发件人姓名与委托合同中的发件人姓名相符:\n发件人姓名:{0}\n\n如果名称与此处显示的名称不同,则 {1}
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
|
@ -886,13 +895,12 @@ funds.tx.noTxAvailable=没有可用交易
|
|||
funds.tx.revert=还原
|
||||
funds.tx.txSent=交易成功发送到本地 Bisq 钱包中的新地址。
|
||||
funds.tx.direction.self=内部钱包交易
|
||||
funds.tx.daoTxFee=DAO tx 的矿工手续费支付
|
||||
funds.tx.daoTxFee=BSQ tx 的矿工手续费支付
|
||||
funds.tx.reimbursementRequestTxFee=退还申请
|
||||
funds.tx.compensationRequestTxFee=报偿申请
|
||||
funds.tx.dustAttackTx=接受零头
|
||||
funds.tx.dustAttackTx.popup=这笔交易是发送一个非常小的比特币金额到您的钱包,可能是区块链分析公司尝试监控您的交易。\n\n如果您在交易中使用该交易输出,他们将了解到您很可能也是其他地址的所有者(资金归集)。\n\n为了保护您的隐私,Bisq 钱包忽略了这种零头的消费和余额显示。可以在设置中将输出视为零头时设置阈值量。
|
||||
|
||||
|
||||
####################################################################
|
||||
# Support
|
||||
####################################################################
|
||||
|
@ -978,7 +986,7 @@ setting.preferences.general=通用偏好
|
|||
setting.preferences.explorer=比特币区块浏览器
|
||||
setting.preferences.explorer.bsq=Bisq 区块浏览器
|
||||
setting.preferences.deviation=与市场价格最大差价
|
||||
setting.preferences.bsqAverageTrimThreshold=Outlier threshold for BSQ rate
|
||||
setting.preferences.bsqAverageTrimThreshold=BSQ 率已超过阈值
|
||||
setting.preferences.avoidStandbyMode=避免待机模式
|
||||
setting.preferences.autoConfirmXMR=XMR 自动确认
|
||||
setting.preferences.autoConfirmEnabled=启用
|
||||
|
@ -986,10 +994,10 @@ setting.preferences.autoConfirmRequiredConfirmations=已要求确认
|
|||
setting.preferences.autoConfirmMaxTradeSize=最大交易量(BTC)
|
||||
setting.preferences.autoConfirmServiceAddresses=Monero Explorer 链接(使用Tor,但本地主机,LAN IP地址和 *.local 主机名除外)
|
||||
setting.preferences.deviationToLarge=值不允许大于30%
|
||||
setting.preferences.txFee=Withdrawal transaction fee (satoshis/vbyte)
|
||||
setting.preferences.txFee=提现交易手续费(聪/字节)
|
||||
setting.preferences.useCustomValue=使用自定义值
|
||||
setting.preferences.txFeeMin=Transaction fee must be at least {0} satoshis/vbyte
|
||||
setting.preferences.txFeeTooLarge=Your input is above any reasonable value (>5000 satoshis/vbyte). Transaction fee is usually in the range of 50-400 satoshis/vbyte.
|
||||
setting.preferences.txFeeMin=交易手续费必须至少为{0} 聪/字节
|
||||
setting.preferences.txFeeTooLarge=您输入的数额超过可接受值(>5000 聪/字节)。交易手续费一般在 50-400 聪/字节、
|
||||
setting.preferences.ignorePeers=忽略节点 [洋葱地址:端口]
|
||||
setting.preferences.ignoreDustThreshold=最小无零头输出值
|
||||
setting.preferences.currenciesInList=市场价的货币列表
|
||||
|
@ -1052,6 +1060,7 @@ settings.net.creationDateColumn=已建立连接
|
|||
settings.net.connectionTypeColumn=入/出
|
||||
settings.net.sentDataLabel=统计数据已发送
|
||||
settings.net.receivedDataLabel=统计数据已接收
|
||||
settings.net.chainHeightLabel=最新 BTC 区块高度
|
||||
settings.net.roundTripTimeColumn=延迟
|
||||
settings.net.sentBytesColumn=发送
|
||||
settings.net.receivedBytesColumn=接收
|
||||
|
@ -1066,6 +1075,7 @@ settings.net.needRestart=您需要重启应用程序以同意这次变更。\n
|
|||
settings.net.notKnownYet=至今未知...
|
||||
settings.net.sentData=已发送数据 {0},{1} 条消息,{2} 条消息/秒
|
||||
settings.net.receivedData=已接收数据 {0},{1} 条消息,{2} 条消息/秒
|
||||
settings.net.chainHeight=Bisq :{0}|节点:{1}
|
||||
settings.net.ips=添加逗号分隔的 IP 地址及端口,如使用8333端口可不填写。
|
||||
settings.net.seedNode=种子节点
|
||||
settings.net.directPeer=节点(直连)
|
||||
|
@ -1074,7 +1084,7 @@ settings.net.inbound=接收数据包
|
|||
settings.net.outbound=发送数据包
|
||||
settings.net.reSyncSPVChainLabel=重新同步 SPV 链
|
||||
settings.net.reSyncSPVChainButton=删除 SPV 链文件并重新同步
|
||||
settings.net.reSyncSPVSuccess=SPV 链文件将在下一次启动时被删除。您现在需要重新启动应用程序。\n\n重新启动后,可能需要一段时间才能与网络重新同步,只有重新同步完成后才会看到所有的交易。\n\n根据交易的数量和钱包账龄,重新同步可能会花费几个小时,并消耗100%的 CPU。不要打断这个过程,否则你会不断地重复它。
|
||||
settings.net.reSyncSPVSuccess=Are you sure you want to do an SPV resync? If you proceed, the SPV chain file will be deleted on the next startup.\n\nAfter the restart it can take a while to resync with the network and you will only see all transactions once the resync is completed.\n\nDepending on the number of transactions and the age of your wallet the resync can take up to a few hours and consumes 100% of CPU. Do not interrupt the process otherwise you have to repeat it.
|
||||
settings.net.reSyncSPVAfterRestart=SPV 链文件已被删除。请耐心等待,与网络重新同步可能需要一段时间。
|
||||
settings.net.reSyncSPVAfterRestartCompleted=重新同步刚刚完成,请重启应用程序。
|
||||
settings.net.reSyncSPVFailed=无法删除 SPV 链文件。\n错误:{0}
|
||||
|
@ -1161,9 +1171,19 @@ account.menu.paymentAccount=法定货币账户
|
|||
account.menu.altCoinsAccountView=数字货币账户
|
||||
account.menu.password=钱包密码
|
||||
account.menu.seedWords=钱包密钥
|
||||
account.menu.walletInfo=Wallet info
|
||||
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 Bitcoin the sum of the 'available balance' and the 'reserved for offers balance' must match the internal wallet balance displayed here.
|
||||
account.menu.walletInfo.xpub.headLine=Watch keys (xpub keys)
|
||||
account.menu.walletInfo.walletSelector={0} {1} wallet
|
||||
account.menu.walletInfo.path.headLine=HD keychain paths
|
||||
account.menu.walletInfo.path.info=If you import the seed words in another wallet (like Electrum) you need to define the path. Use that only in emergency cases when you lost access to the Bisq wallet and the data directory.\nSpending funds from another wallet can easily screw up the Bisq internal data structures associated with the wallet data and can lead to failed trades.\nDo NEVER send BSQ from another wallet as that lead very likely to an invalid BSQ transaction and your BSQ get burned.
|
||||
|
||||
account.menu.walletInfo.openDetails=Show raw wallet details and private keys
|
||||
|
||||
## TODO should we rename the following to a gereric name?
|
||||
account.arbitratorRegistration.pubKey=公钥
|
||||
|
||||
|
@ -1498,9 +1518,9 @@ dao.bond.reputation.salt=盐
|
|||
dao.bond.reputation.hash=哈希
|
||||
dao.bond.reputation.lockupButton=锁定
|
||||
dao.bond.reputation.lockup.headline=确认锁定交易
|
||||
dao.bond.reputation.lockup.details=Lockup amount: {0}\nUnlock time: {1} block(s) (≈{2})\n\nMining fee: {3} ({4} Satoshis/vbyte)\nTransaction vsize: {5} Kb\n\nAre you sure you want to proceed?
|
||||
dao.bond.reputation.lockup.details=锁定数量:{0}\n解锁时间:{1} 区块(≈{2})\n\n矿工手续费:{3}({4} 聪/字节)\n交易大小:{5} 字节\n\n你确定想要继续?
|
||||
dao.bond.reputation.unlock.headline=确认解锁交易
|
||||
dao.bond.reputation.unlock.details=Unlock amount: {0}\nUnlock time: {1} block(s) (≈{2})\n\nMining fee: {3} ({4} Satoshis/vbyte)\nTransaction vsize: {5} Kb\n\nAre you sure you want to proceed?
|
||||
dao.bond.reputation.unlock.details=解锁金额:{0}\n解锁时间:{1} 区块(≈{2})\n\n挖矿手续费:{3}({4} 聪/Byte)\n交易大小:{5} Kb\n\n你想继续这个操作吗?
|
||||
|
||||
dao.bond.allBonds.header=所有担保
|
||||
|
||||
|
@ -1796,7 +1816,7 @@ dao.wallet.send.setDestinationAddress=输入您的目标地址
|
|||
dao.wallet.send.send=发送 BSQ 资金
|
||||
dao.wallet.send.sendBtc=发送 BTC 资金
|
||||
dao.wallet.send.sendFunds.headline=确定提现申请
|
||||
dao.wallet.send.sendFunds.details=Sending: {0}\nTo receiving address: {1}.\nRequired transaction fee is: {2} ({3} satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nThe recipient will receive: {5}\n\nAre you sure you want to withdraw that amount?
|
||||
dao.wallet.send.sendFunds.details=发送:{0}\n来自:{1}\n要求的矿工手续费:{2}({3}比特/节)\n交易大小:{4}字节\n\n接收方会收到:{5}\n\n您确定您想要提现这些数量吗?
|
||||
dao.wallet.chainHeightSynced=最新确认区块:{0}
|
||||
dao.wallet.chainHeightSyncing=等待区块... 已确认{0}/{1}区块
|
||||
dao.wallet.tx.type=类型
|
||||
|
@ -1854,9 +1874,9 @@ dao.proposal.create.missingMinerFeeFunds=您没有足够的BTC资金来支付该
|
|||
dao.proposal.create.missingIssuanceFunds=您没有足够的BTC资金来支付该提案交易。所有的 BSQ交易需要用 BTC 支付挖矿手续费以及发起交易也需要用 BTC 支付所需的 BSQ 数量({0} 聪/BSQ)\n缺少:{1}
|
||||
|
||||
dao.feeTx.confirm=确认 {0} 交易
|
||||
dao.feeTx.confirm.details={0} fee: {1}\nMining fee: {2} ({3} Satoshis/vbyte)\nTransaction vsize: {4} vKb\n\nAre you sure you want to publish the {5} transaction?
|
||||
dao.feeTx.confirm.details={0}手续费:{1}\n矿工手续费:{2}({3} 聪/byte)\n交易大小:{4} Kb\n\n您确定您要发送这个 {5} 交易吗?
|
||||
|
||||
dao.feeTx.issuanceProposal.confirm.details={0} fee: {1}\nBTC needed for BSQ issuance: {2} ({3} Satoshis/BSQ)\nMining fee: {4} ({5} Satoshis/vbyte)\nTransaction vsize: {6} vKb\n\nIf your request is approved, you will receive the amount you requested net of the 2 BSQ proposal fee.\n\nAre you sure you want to publish the {7} transaction?
|
||||
dao.feeTx.issuanceProposal.confirm.details={0}手续费:{1}\n为 BSQ 提案所需要的BTC:{2}({3}聪 / BSQ)\n挖矿手续费:{4}({5}聪 /字节)\n交易大小:{6}Kb\n\n如果你的要求被批准,你将收到你要求数量的 2 个 BSQ 提议的费用。\n\n你确定你想要发布{7}交易?
|
||||
|
||||
dao.news.bisqDAO.title=Bisq DAO
|
||||
dao.news.bisqDAO.description=正如 Bisq交易是分散的,并且不受审查,它的治理模型也是如此—— Bisq DAO 和 BSQ 是使其成为可能的工具。
|
||||
|
@ -1930,15 +1950,15 @@ dao.factsAndFigures.dashboard.avgPrice90=90天平均 BSQ/BTC 交易价格
|
|||
dao.factsAndFigures.dashboard.avgPrice30=30天平均 BSQ/BTC 交易价格
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice90=90 天成交量加权平均 USD/BSQ 交易价格
|
||||
dao.factsAndFigures.dashboard.avgUSDPrice30=30 天成交量加权平均 USD/BSQ 交易价格
|
||||
dao.factsAndFigures.dashboard.marketCap=市值(基于市场价)
|
||||
dao.factsAndFigures.dashboard.availableAmount=总共可用的 BSQ
|
||||
dao.factsAndFigures.dashboard.marketCap=市值(基于 30天平均 USD/BSQ 价格)
|
||||
dao.factsAndFigures.dashboard.availableAmount=总共可用的 BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issuedVsBurnt=已发放的 BSQ 已销毁的 BSQ
|
||||
|
||||
dao.factsAndFigures.supply.issued=已发放的 BSQ
|
||||
dao.factsAndFigures.supply.genesisIssueAmount=在初始交易中心有问题的 BSQ
|
||||
dao.factsAndFigures.supply.compRequestIssueAmount=报偿申请发放的 BSQ
|
||||
dao.factsAndFigures.supply.reimbursementAmount=退还申请发放的 BSQ
|
||||
dao.factsAndFigures.supply.compRequestIssueAmount=报偿申请发放的 BSQ
|
||||
dao.factsAndFigures.supply.reimbursementAmount=退还申请发放的 BSQ
|
||||
|
||||
dao.factsAndFigures.supply.burnt=BSQ 烧毁总量
|
||||
dao.factsAndFigures.supply.burntMovingAverage=15天动态平均线
|
||||
|
@ -2000,7 +2020,7 @@ disputeSummaryWindow.openDate=工单创建时间
|
|||
disputeSummaryWindow.role=交易者的角色
|
||||
disputeSummaryWindow.payout=交易金额支付
|
||||
disputeSummaryWindow.payout.getsTradeAmount=BTC {0} 获得交易金额支付
|
||||
disputeSummaryWindow.payout.getsAll=BTC {0} 获取全部
|
||||
disputeSummaryWindow.payout.getsAll=最大 BTC 支付数 {0}
|
||||
disputeSummaryWindow.payout.custom=自定义支付
|
||||
disputeSummaryWindow.payoutAmount.buyer=买家支付金额
|
||||
disputeSummaryWindow.payoutAmount.seller=卖家支付金额
|
||||
|
@ -2052,7 +2072,7 @@ disputeSummaryWindow.close.txDetails.headline=发布交易退款
|
|||
disputeSummaryWindow.close.txDetails.buyer=买方收到{0}在地址:{1}
|
||||
# suppress inspection "TrailingSpacesInProperty"
|
||||
disputeSummaryWindow.close.txDetails.seller=卖方收到{0}在地址:{1}
|
||||
disputeSummaryWindow.close.txDetails=Spending: {0}\n{1}{2}Transaction fee: {3} ({4} satoshis/vbyte)\nTransaction vsize: {5} vKb\n\nAre you sure you want to publish this transaction?
|
||||
disputeSummaryWindow.close.txDetails=费用:{0}\n{1}{2}交易费:{3}({4}satoshis/byte)\n事务大小:{5} Kb\n\n您确定要发布此交易吗?
|
||||
|
||||
disputeSummaryWindow.close.noPayout.headline=未支付关闭
|
||||
disputeSummaryWindow.close.noPayout.text=你想要在未作支付的情况下关闭吗?
|
||||
|
@ -2154,6 +2174,7 @@ tradeDetailsWindow.tradingPeersOnion=交易伙伴匿名地址
|
|||
tradeDetailsWindow.tradingPeersPubKeyHash=交易伙伴公钥哈希值
|
||||
tradeDetailsWindow.tradeState=交易状态
|
||||
tradeDetailsWindow.agentAddresses=仲裁员/调解员
|
||||
tradeDetailsWindow.detailData=Detail data
|
||||
|
||||
walletPasswordWindow.headline=输入密码解锁
|
||||
|
||||
|
@ -2213,7 +2234,7 @@ error.closedTradeWithUnconfirmedDepositTx=交易 ID 为 {0} 的已关闭交易
|
|||
error.closedTradeWithNoDepositTx=交易 ID 为 {0} 的保证金交易已被确认。\n\n请重新启动应用程序来清理已关闭的交易列表。
|
||||
|
||||
popup.warning.walletNotInitialized=钱包至今未初始化
|
||||
popup.warning.osxKeyLoggerWarning=由于 MacOS 10.14 及更高版本中的安全措施更加严格,因此启动 Java 应用程序(Bisq 使用Java)会在 MacOS 中引发弹出警告(``Bisq 希望从任何应用程序接收击键'').\n\n为了避免该问题,请打开“ MacOS 设置”,然后转到“安全和隐私”->“隐私”->“输入监视”,然后从右侧列表中删除“ Bisq”。\n\n一旦解决了技术限制(所需的 Java 版本的 Java 打包程序尚未交付),Bisq将升级到新的 Java 版本,以避免该问题。
|
||||
popup.warning.osxKeyLoggerWarning=由于 MacOS 10.14 及更高版本中的安全措施更加严格,因此启动 Java 应用程序(Bisq 使用Java)会在 MacOS 中引发弹出警告(``Bisq 希望从任何应用程序接收击键'').\n\n为了避免该问题,请打开“ MacOS 设置”,然后转到“安全和隐私”->“隐私”->“输入监视”,然后从右侧列表中删除“ Bisq”。\n\n一旦解决了技术限制(所需的 Java 版本的 Java 打包程序尚未交付),Bisq将升级到新的 Java 版本,以避免该问题。
|
||||
popup.warning.wrongVersion=您这台电脑上可能有错误的 Bisq 版本。\n您的电脑的架构是:{0}\n您安装的 Bisq 二进制文件是:{1}\n请关闭并重新安装正确的版本({2})。
|
||||
popup.warning.incompatibleDB=我们检测到不兼容的数据库文件!\n\n那些数据库文件与我们当前的代码库不兼容:\n{0}\n\n我们对损坏的文件进行了备份,并将默认值应用于新的数据库版本。\n\n备份位于:\n{1}/db/backup_of_corrupted_data。\n\n请检查您是否安装了最新版本的 Bisq\n您可以下载:\nhttps://bisq.network/downloads\n\n请重新启动应用程序。
|
||||
popup.warning.startupFailed.twoInstances=Bisq 已经在运行。 您不能运行两个 Bisq 实例。
|
||||
|
@ -2226,6 +2247,7 @@ popup.warning.noMediatorsAvailable=没有调解员可用。
|
|||
popup.warning.notFullyConnected=您需要等到您完全连接到网络\n在启动时可能需要2分钟。
|
||||
popup.warning.notSufficientConnectionsToBtcNetwork=你需要等待至少有{0}个与比特币网络的连接点。
|
||||
popup.warning.downloadNotComplete=您需要等待,直到丢失的比特币区块被下载完毕。
|
||||
popup.warning.chainNotSynced=Bisq 钱包区块链高度没有正确地同步。如果最近才打开应用,请等待一个新发布的比特币区块。\n\n你可以检查区块链高度在设置/网络信息。如果经过了一个区块但问题还是没有解决,你应该及时的完成 SPV 链重新同步。https://bisq.wiki/Resyncing_SPV_file
|
||||
popup.warning.removeOffer=您确定要移除该报价吗?\n如果您删除该报价,{0} 的挂单费将会丢失。
|
||||
popup.warning.tooLargePercentageValue=您不能设置100%或更大的百分比。
|
||||
popup.warning.examplePercentageValue=请输入百分比数字,如 5.4% 是“5.4”
|
||||
|
@ -2254,7 +2276,7 @@ popup.warning.openOffer.makerFeeTxRejected=交易 ID 为 {0} 的挂单费交易
|
|||
|
||||
popup.warning.trade.txRejected.tradeFee=交易手续费
|
||||
popup.warning.trade.txRejected.deposit=押金
|
||||
popup.warning.trade.txRejected=使用 ID {1} 进行交易的 {0} 交易被比特币网络拒绝。\n交易 ID = {2}}\n交易已被移至失败交易。\n请到“设置/网络信息”进行 SPV 重新同步。\n如需更多帮助,请联系 Bisq Keybase 团队的 Support 频道
|
||||
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 Bisq support channel at the Bisq Keybase team.
|
||||
|
||||
popup.warning.openOfferWithInvalidMakerFeeTx=交易 ID 为 {0} 的挂单费交易无效。\n交易 ID = {1}。\n请到“设置/网络信息”进行 SPV 重新同步。\n如需更多帮助,请联系 Bisq Keybase 团队的 Support 频道
|
||||
|
||||
|
@ -2264,6 +2286,7 @@ popup.info.cashDepositInfo=请确保您在您的地区有一个银行分行,
|
|||
popup.info.cashDepositInfo.confirm=我确认我可以支付保证金
|
||||
popup.info.shutDownWithOpenOffers=Bisq 正在被关闭,但仍有公开的报价。\n\n当 Bisq 关闭时,这些提供将不能在 P2P 网络上使用,但是它们将在您下次启动 Bisq 时重新发布到 P2P 网络上。\n\n为了让您的报价在线,保持 Bisq 运行,并确保这台计算机也在线(即,确保它不会进入待机模式…显示器待机不是问题)。
|
||||
popup.info.qubesOSSetupInfo=你似乎好像在 Qubes OS 上运行 Bisq。\n\n请确保您的 Bisq qube 是参考设置指南的说明设置的 https://bisq.wiki/Running_Bisq_on_Qubes
|
||||
popup.warn.downGradePrevention=不支持从 {0} 版本降级到 {1} 版本。请使用最新的 Bisq 版本。
|
||||
|
||||
popup.privateNotification.headline=重要私人通知!
|
||||
|
||||
|
@ -2354,7 +2377,7 @@ systemTray.tooltip=Bisq:去中心化比特币交易网络
|
|||
# GUI Util
|
||||
####################################################################
|
||||
|
||||
guiUtil.miningFeeInfo=Please be sure that the mining fee used by your external wallet is at least {0} satoshis/vbyte. Otherwise the trade transactions may not be confirmed in time and the trade will end up in a dispute.
|
||||
guiUtil.miningFeeInfo=请确保您的外部钱包使用的矿工手续费费用足够高至少为 {0} 聪/字节,以便矿工接受资金交易。\n否则交易所交易无法确认,交易最终将会出现纠纷。
|
||||
|
||||
guiUtil.accountExport.savedToPath=交易账户保存在路径:\n{0}
|
||||
guiUtil.accountExport.noAccountSetup=您没有交易账户设置导出。
|
||||
|
@ -2510,7 +2533,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=你的比特币钱包不是空的。\n\n在尝试恢复较旧的钱包之前,您必须清空此钱包,因为将钱包混在一起会导致无效的备份。\n\n请完成您的交易,关闭所有您的未完成报价,并转到资金界面撤回您的比特币。\n如果您无法访问您的比特币,您可以使用紧急工具清空钱包。\n要打开该应急工具,请按“alt + e”或“Cmd/Ctrl + e” 。
|
||||
seed.warn.walletNotEmpty.restore=无论如何我要恢复
|
||||
seed.warn.walletNotEmpty.emptyWallet=我先清空我的钱包
|
||||
seed.warn.notEncryptedAnymore=你的钱包被加密了。\n\n恢复后,钱包将不再加密,您必须设置新的密码。\n\n你要继续吗?
|
||||
|
@ -2551,7 +2574,7 @@ payment.altcoin.address=数字货币地址
|
|||
payment.altcoin.tradeInstantCheckbox=使用数字货币进行即时交易( 1 小时内)
|
||||
payment.altcoin.tradeInstant.popup=对于即时交易,要求交易双方都在线,能够在不到1小时内完成交易。\n \n如果你已经有未完成的报价以及你不能即时完成,请在资料页面禁用这些报价。
|
||||
payment.altcoin=数字货币
|
||||
payment.select.altcoin=Select or search Altcoin
|
||||
payment.select.altcoin=选择或搜索数字货币
|
||||
payment.secret=密保问题
|
||||
payment.answer=答案
|
||||
payment.wallet=钱包 ID
|
||||
|
@ -2561,9 +2584,10 @@ payment.venmo.venmoUserName=Venmo 用户名:
|
|||
payment.popmoney.accountId=电子邮箱或者电话号码
|
||||
payment.promptPay.promptPayId=公民身份证/税号或电话号码
|
||||
payment.supportedCurrencies=支持的货币
|
||||
payment.supportedCurrenciesForReceiver=Currencies for receiving funds
|
||||
payment.limitations=限制条件
|
||||
payment.salt=帐户年龄验证盐值
|
||||
payment.error.noHexSalt=The salt needs to be in HEX format.\nIt is only recommended to edit the salt field if you want to transfer the salt from an old account to keep your account age. The account age is verified by using the account salt and the identifying account data (e.g. IBAN).
|
||||
payment.error.noHexSalt=盐值需要十六进制的。\n如果您想要从旧帐户转移盐值以保留帐龄,只建议编辑盐值字段。帐龄通过帐户盐值和识别帐户数据(例如 IBAN )来验证。
|
||||
payment.accept.euro=接受来自这些欧元国家的交易
|
||||
payment.accept.nonEuro=接受来自这些非欧元国家的交易
|
||||
payment.accepted.countries=接受的国家
|
||||
|
@ -2599,31 +2623,31 @@ payment.savings=保存
|
|||
payment.personalId=个人 ID
|
||||
payment.clearXchange.info=Zelle是一项转账服务,转账到其他银行做的很好。\n\n1.检查此页面以查看您的银行是否(以及如何)与 Zelle 合作:\nhttps://www.zellepay.com/get-started\n\n2.特别注意您的转账限额-汇款限额因银行而异,银行通常分别指定每日,每周和每月的限额。\n\n3.如果您的银行不能使用 Zelle,您仍然可以通过 Zelle 移动应用程序使用它,但是您的转账限额会低得多。\n\n4.您的 Bisq 帐户上指定的名称必须与 Zelle/银行帐户上的名称匹配。 \n\n如果您无法按照贸易合同中的规定完成 Zelle 交易,则可能会损失部分(或全部)保证金。\n\n由于 Zelle 的拒付风险较高,因此建议卖家通过电子邮件或 SMS 与未签名的买家联系,以确认买家确实拥有 Bisq 中指定的 Zelle 帐户。
|
||||
payment.fasterPayments.newRequirements.info=有些银行已经开始核实快捷支付收款人的全名。您当前的快捷支付帐户没有填写全名。\n\n请考虑在 Bisq 中重新创建您的快捷支付帐户,为将来的 {0} 买家提供一个完整的姓名。\n\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.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
|
||||
# suppress inspection "UnusedMessageFormatParameter"
|
||||
payment.limits.info=Please be aware that all bank transfers carry a certain amount of chargeback risk. To mitigate this risk, Bisq 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://bisq.wiki/Account_limits].
|
||||
payment.limits.info=请注意,所有银行转账都有一定的退款风险。为了降低这一风险,Bisq 基于使用的付款方式的退款风险。\n\n对于付款方式,您的每笔交易的出售和购买的限额为{2}\n\n限制只应用在单笔交易,你可以尽可能多的进行交易。\n\n在 Bisq Wiki 查看更多信息[HYPERLINK:https://bisq.wiki/Account_limits]。
|
||||
# suppress inspection "UnusedProperty"
|
||||
payment.limits.info.withSigning=To limit chargeback risk, Bisq sets per-trade limits for this payment account type based on the following 2 factors:\n\n1. General chargeback risk for the payment method\n2. Account signing status\n\nThis payment account is not yet signed, so it is limited to buying {0} per trade. After signing, buy limits will increase as follows:\n\n● Before signing, and for 30 days after signing, your per-trade buy limit will be {0}\n● 30 days after signing, your per-trade buy limit will be {1}\n● 60 days after signing, your per-trade buy limit will be {2}\n\nSell limits are not affected by account signing. You can sell {2} in a single trade immediately.\n\nThese limits only apply 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://bisq.wiki/Account_limits].
|
||||
payment.limits.info.withSigning=为了降低这一风险,Bisq 基于两个因素对该付款方式每笔交易设置了限制:\n\n1. 使用的付款方法的预估退款风险水平\n2. 您的付款方式的账龄\n\n这个付款账户还没有被验证,所以他每个交易最多购买{0}。在验证之后,购买限制会以以下规则逐渐增加:\n\n●签署前,以及签署后30天内,您的每笔最大交易将限制为{0}\n●签署后30天,每笔最大交易将限制为{1}\n●签署后60天,每笔最大交易将限制为{2}\n\n出售限制不会被账户验证状态限制,你可以理科进行单笔为{2}的交易\n\n限制只应用在单笔交易,你可以尽可能多的进行交易。\n\n在 Bisq Wiki 上查看更多:\nhttps://bisq.wiki/Account_limits
|
||||
|
||||
payment.cashDeposit.info=请确认您的银行允许您将现金存款汇入他人账户。例如,美国银行和富国银行不再允许此类存款。
|
||||
|
||||
payment.revolut.info=Revolut 要求使用“用户名”作为帐户 ID,而不是像以往的电话号码或电子邮件。
|
||||
payment.account.revolut.addUserNameInfo={0}\nYour existing Revolut account ({1}) does not have a ''User name''.\nPlease enter your Revolut ''User name'' to update your account data.\nThis will not affect your account age signing status.
|
||||
payment.account.revolut.addUserNameInfo={0}\n您现有的 Revolut 帐户({1})尚未设置“用户名”。\n请输入您的 Revolut ``用户名''以更新您的帐户数据。\n这不会影响您的账龄验证状态。
|
||||
payment.revolut.addUserNameInfo.headLine=更新 Revolut 账户
|
||||
|
||||
payment.usPostalMoneyOrder.info=在 Bisq 上交易 US Postal Money Orders (USPMO)您必须理解下述条款:\n\n- BTC 买方必须在发送方和收款人字段中都写上 BTC 卖方的名称,并在发送之前对 USPMO 和信封进行高分辨率照片拍照,并带有跟踪证明。\n- BTC 买方必须将 USPMO 连同交货确认书一起发送给 BTC 卖方。\n\n如果需要调解,或有交易纠纷,您将需要将照片连同 USPMO 编号,邮局编号和交易金额一起发送给 Bisq 调解员或退款代理,以便他们进行验证美国邮局网站上的详细信息。\n\n如未能提供要求的交易数据将在纠纷中直接判负\n\n在所有争议案件中,USPMO 发送方在向调解人或仲裁员提供证据/证明时承担 100% 的责任。\n\n如果您不理解这些要求,请不要在 Bisq 上使用 USPMO 进行交易。
|
||||
|
||||
payment.f2f.contact=联系方式
|
||||
payment.f2f.contact.prompt=How would you like to be contacted by the trading peer? (email address, phone number,...)
|
||||
payment.f2f.contact.prompt=您希望如何与交易伙伴联系?(电子邮箱、电话号码、…)
|
||||
payment.f2f.city=“面对面”会议的城市
|
||||
payment.f2f.city.prompt=城市将与报价一同显示
|
||||
payment.f2f.optionalExtra=可选的附加信息
|
||||
payment.f2f.extra=附加信息
|
||||
|
||||
payment.f2f.extra.prompt=交易方可以定义“条款和条件”或添加公共联系信息。它将与报价一同显示。
|
||||
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.bisq.network/trading-rules.html#f2f-trading]
|
||||
payment.f2f.info=与网上交易相比,“面对面”交易有不同的规则,也有不同的风险。\n\n主要区别是:\n●交易伙伴需要使用他们提供的联系方式交换关于会面地点和时间的信息。\n●交易双方需要携带笔记本电脑,在会面地点确认“已发送付款”和“已收到付款”。\n●如果交易方有特殊的“条款和条件”,他们必须在账户的“附加信息”文本框中声明这些条款和条件。\n●在发生争议时,调解员或仲裁员不能提供太多帮助,因为通常很难获得有关会面上所发生情况的篡改证据。在这种情况下,BTC 资金可能会被无限期锁定,或者直到交易双方达成协议。\n\n为确保您完全理解“面对面”交易的不同之处,请阅读以下说明和建议:“https://docs.bisq.network/trading-rules.html#f2f-trading”
|
||||
payment.f2f.info.openURL=打开网页
|
||||
payment.f2f.offerbook.tooltip.countryAndCity=国家或地区及城市:{0} / {1}
|
||||
payment.f2f.offerbook.tooltip.extra=附加信息:{0}
|
||||
|
@ -2633,9 +2657,9 @@ payment.japan.branch=分行
|
|||
payment.japan.account=账户
|
||||
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 need to purchase an Amazon eGift Card at your Amazon account and use the BTC seller''s email or mobile nr. as receiver. Amazon sends then an email or text message to the receiver. Use the trade ID for the message field.\n\nAmazon eGift Cards can only be redeemed by Amazon accounts with the same currency.\n\nFor more information visit the Amazon eGift Card webpage. [HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
payment.payid=PayID 需链接至金融机构。例如电子邮件地址或手机。
|
||||
payment.payid.info=PayID,如电话号码、电子邮件地址或澳大利亚商业号码(ABN),您可以安全地连接到您的银行、信用合作社或建立社会帐户。你需要在你的澳大利亚金融机构创建一个 PayID。发送和接收金融机构都必须支持 PayID。更多信息请查看[HYPERLINK:https://payid.com.au/faqs/]
|
||||
payment.amazonGiftCard.info=要用亚马逊电子礼品卡付款,你需要在你的亚马逊账户上购买一张亚马逊电子礼品卡,并使用 BTC 卖家的电子邮件或手机号码作为接收方。然后,亚马逊会向接收者发送电子邮件或短信。在备注处填写交易 ID。\n\n亚马逊电子礼品卡只能由亚马逊账户使用相同货币兑换。更多信息请访问亚马逊电子礼品卡网页。\n\n更多信息请访问亚马逊电子礼品卡页面。[HYPERLINK:https://www.amazon.com/Amazon-1_US_Email-eGift-Card/dp/B004LLIKVU]
|
||||
|
||||
# We use constants from the code so we do not use our normal naming convention
|
||||
# dynamic values are not recognized by IntelliJ
|
||||
|
@ -2650,7 +2674,7 @@ MONEY_GRAM=MoneyGram
|
|||
WESTERN_UNION=西联汇款
|
||||
F2F=面对面(当面交易)
|
||||
JAPAN_BANK=日本银行汇款
|
||||
AUSTRALIA_PAYID=Australian PayID
|
||||
AUSTRALIA_PAYID=澳大利亚 PayID
|
||||
|
||||
# suppress inspection "UnusedProperty"
|
||||
NATIONAL_BANK_SHORT=国内银行
|
||||
|
@ -2671,7 +2695,7 @@ F2F_SHORT=F2F
|
|||
# suppress inspection "UnusedProperty"
|
||||
JAPAN_BANK_SHORT=Japan Furikomi
|
||||
# suppress inspection "UnusedProperty"
|
||||
AUSTRALIA_PAYID_SHORT=PayID
|
||||
AUSTRALIA_PAYID_SHORT=支付 ID
|
||||
|
||||
# Do not translate brand names
|
||||
# suppress inspection "UnusedProperty"
|
||||
|
@ -2713,7 +2737,7 @@ ADVANCED_CASH=Advanced Cash
|
|||
# suppress inspection "UnusedProperty"
|
||||
TRANSFERWISE=TransferWise
|
||||
# suppress inspection "UnusedProperty"
|
||||
AMAZON_GIFT_CARD=Amazon eGift Card
|
||||
AMAZON_GIFT_CARD=亚马逊电子礼品卡
|
||||
# suppress inspection "UnusedProperty"
|
||||
BLOCK_CHAINS_INSTANT=Altcoins Instant
|
||||
|
||||
|
@ -2765,7 +2789,7 @@ ADVANCED_CASH_SHORT=Advanced Cash
|
|||
# suppress inspection "UnusedProperty"
|
||||
TRANSFERWISE_SHORT=TransferWise
|
||||
# suppress inspection "UnusedProperty"
|
||||
AMAZON_GIFT_CARD_SHORT=Amazon eGift Card
|
||||
AMAZON_GIFT_CARD_SHORT=亚马逊电子礼品卡
|
||||
# suppress inspection "UnusedProperty"
|
||||
BLOCK_CHAINS_INSTANT_SHORT=Altcoins Instant
|
||||
|
||||
|
@ -2789,10 +2813,10 @@ validation.zero=不允许输入0。
|
|||
validation.negative=不允许输入负值。
|
||||
validation.fiat.toSmall=不允许输入比最小可能值还小的数值。
|
||||
validation.fiat.toLarge=不允许输入比最大可能值还大的数值。
|
||||
validation.btc.fraction=Input will result in a bitcoin value of less than 1 satoshi
|
||||
validation.btc.fraction=此充值将会产生小于 1 聪的比特币数量。
|
||||
validation.btc.toLarge=不允许充值大于{0}
|
||||
validation.btc.toSmall=不允许充值小于{0}
|
||||
validation.passwordTooShort=The password you entered is too short. It needs to have a min. of 8 characters.
|
||||
validation.passwordTooShort=你输入的密码太短。最少 8 个字符。
|
||||
validation.passwordTooLong=你输入的密码太长。最长不要超过50个字符。
|
||||
validation.sortCodeNumber={0} 必须由 {1} 个数字构成。
|
||||
validation.sortCodeChars={0} 必须由 {1} 个字符构成。
|
||||
|
@ -2813,34 +2837,34 @@ validation.accountNrFormat=帐号必须是格式:{0}
|
|||
# suppress inspection "UnusedProperty"
|
||||
validation.altcoin.wrongStructure=地址验证失败,因为它与 {0} 地址的结构不匹配。
|
||||
# suppress inspection "UnusedProperty"
|
||||
validation.altcoin.ltz.zAddressesNotSupported=LTZ address must start with L. Addresses starting with z are not supported.
|
||||
validation.altcoin.ltz.zAddressesNotSupported=LTZ 地址需要以 L 开头。 不支持以 Z 开头的地址。
|
||||
# suppress inspection "UnusedProperty"
|
||||
validation.altcoin.zAddressesNotSupported=ZEC addresses must start with t. Addresses starting with z are not supported.
|
||||
validation.altcoin.zAddressesNotSupported=LTZ 地址需要以 L 开头。 不支持以 Z 开头的地址。
|
||||
# suppress inspection "UnusedProperty"
|
||||
validation.altcoin.invalidAddress=这个地址不是有效的{0}地址!{1}
|
||||
# suppress inspection "UnusedProperty"
|
||||
validation.altcoin.liquidBitcoin.invalidAddress=不支持本地 segwit 地址(以“lq”开头的地址)。
|
||||
validation.bic.invalidLength=Input length must be 8 or 11
|
||||
validation.bic.invalidLength=输入长度既不是 8 也不是 11
|
||||
validation.bic.letters=必须输入银行和国家或地区代码
|
||||
validation.bic.invalidLocationCode=BIC 包含无效的地址代码
|
||||
validation.bic.invalidBranchCode=BIC 包含无效的分行代码
|
||||
validation.bic.sepaRevolutBic=不支持 Revolut Sepa 账户
|
||||
validation.btc.invalidFormat=Invalid format for a Bitcoin address.
|
||||
validation.bsq.invalidFormat=Invalid format for a BSQ address.
|
||||
validation.btc.invalidFormat=无效格式的比特币地址
|
||||
validation.bsq.invalidFormat=无效格式的 BSQ 地址
|
||||
validation.email.invalidAddress=无效地址
|
||||
validation.iban.invalidCountryCode=国家或地区代码无效
|
||||
validation.iban.checkSumNotNumeric=校验必须是数字
|
||||
validation.iban.nonNumericChars=检测到非字母数字字符
|
||||
validation.iban.checkSumInvalid=IBAN 校验无效
|
||||
validation.iban.invalidLength=Number must have a length of 15 to 34 chars.
|
||||
validation.iban.invalidLength=数字的长度必须为15到34个字符。
|
||||
validation.interacETransfer.invalidAreaCode=非加拿大区号
|
||||
validation.interacETransfer.invalidPhone=Please enter a valid 11 digit phone number (ex: 1-123-456-7890) or an email address
|
||||
validation.interacETransfer.invalidPhone=请输入可用的 11 为电话号码(例如 1-123-456-7890)或邮箱地址
|
||||
validation.interacETransfer.invalidQuestion=必须只包含字母、数字、空格和/或符号“_ , . ? -”
|
||||
validation.interacETransfer.invalidAnswer=必须是一个单词,只包含字母、数字和/或符号-
|
||||
validation.inputTooLarge=输入不能大于 {0}
|
||||
validation.inputTooSmall=输入必须大于 {0}
|
||||
validation.inputToBeAtLeast=输入必须至少为 {0}
|
||||
validation.amountBelowDust=An amount below the dust limit of {0} satoshi is not allowed.
|
||||
validation.amountBelowDust=不允许低于 {0} 聪的零头限制。
|
||||
validation.length=长度必须在 {0} 和 {1} 之间
|
||||
validation.pattern=输入格式必须为:{0}
|
||||
validation.noHexString=输入不是十六进制格式。
|
||||
|
@ -2852,7 +2876,7 @@ validation.numberFormatException=数字格式异常 {0}
|
|||
validation.mustNotBeNegative=不能输入负值
|
||||
validation.phone.missingCountryCode=需要两个字母的国家或地区代码来验证电话号码
|
||||
validation.phone.invalidCharacters=电话号码 {0} 包含无效字符
|
||||
validation.phone.insufficientDigits=There are not enough digits in {0} to be a valid phone number
|
||||
validation.phone.tooManyDigits=There are too many digits in {0} to be a valid phone number
|
||||
validation.phone.invalidDialingCode=Country dialing code for number {0} is invalid for country {1}. The correct dialing code is {2}.
|
||||
validation.phone.insufficientDigits={0} 中没有足够的数字作为有效的电话号码
|
||||
validation.phone.tooManyDigits={0} 中的数字太多,不是有效的电话号码
|
||||
validation.phone.invalidDialingCode=数字 {0} 中的国际拨号代码对于 {1} 无效。正确的拨号号码是 {2} 。
|
||||
validation.invalidAddressList=使用逗号分隔有效地址列表
|
||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -1,6 +1,6 @@
|
|||
TXT CHECKPOINTS 1
|
||||
0
|
||||
325
|
||||
327
|
||||
AAAAAAAAB+EH4QfhAAAH4AEAAABjl7tqvU/FIcDT9gcbVlA4nwtFUbxAtOawZzBpAAAAAKzkcK7NqciBjI/ldojNKncrWleVSgDfBCCn3VRrbSxXaw5/Sf//AB0z8Bkv
|
||||
AAAAAAAAD8EPwQ/BAAAPwAEAAADfP83Sx8MZ9RsrnZCvqzAwqB2Ma+ZesNAJrTfwAAAAACwESaNKhvRgz6WuE7UFdFk1xwzfRY/OIdIOPzX5yaAdjnWUSf//AB0GrNq5
|
||||
AAAAAAAAF6EXoRehAAAXoAEAAADonWzAaUAKd30XT3NnHKobZMnLOuHdzm/xtehsAAAAAD8cUJA6NBIHHcqPHLc4IrfHw+6mjCGu3e+wRO81EvpnMVqrSf//AB1ffy8G
|
||||
|
@ -326,3 +326,5 @@ E7TgpleovIarz4zNAAnnwADg/zelTTDUGas2KxqgEH2WV5EilGEY8VASBgAAAAAAAAAAAJVJFZNI4Kxh
|
|||
FD83ZUplM/sW8MloAAnvoAAAQCBUTUlenrKovQvyeNaLUYJBmxfT5hcuDQAAAAAAAAAAAIaxf5jfjr8MifLPauOJeh6OWDYxSUUPluG5E8hVh+rrWD95X96VDhf7Be0Q
|
||||
FMlwaWsoL8M1y3sGAAn3gAAAICD2It4VF1dZC7XR51SjkuBPy2c1ot7iBQAAAAAAAAAAAOto2NUucHczD9ZpnC5X1L05HcifvGpMh8gwIt7mZ2DW3BWLX04TDhdKX1k6
|
||||
FVin/nTPxZEaUhFJAAn/YADg/zdLnpRRoj5nb9aeuWAA1TG1ZV/ig3PhBQAAAAAAAAAAAP7jjrVesvd94nsFrp03Zj496k0mgpUa+z2F/FaP1R7omhShXzPEEBcdNBS1
|
||||
FdDmSXs4LVrTs1CaAAoHQAAAACDvuQVfiWazEOmUBkUubcV9HD6bQ4YDCQAAAAAAAAAAAIpAWQyuvdv0i6cfyxgL/cqONcYtUdP6eDTQOlOgmOc5h7CyX93+DxdiV5Q4
|
||||
Fk7wqQvRa3I8HIU0AAoPIAAAACClMk0cUuhV+1lsN2AW0bLOzyOjOxhvBAAAAAAAAAAAAHvW0itHeUSYGKmni03ZQ4CQz/twR/T8aM+iCLhkzgVuGaXDX1axDheZrIxe
|
||||
|
|
|
@ -8,7 +8,7 @@
|
|||
|
||||
# pull base image
|
||||
FROM openjdk:8-jdk
|
||||
ENV version 1.5.1-SNAPSHOT
|
||||
ENV version 1.5.2-SNAPSHOT
|
||||
|
||||
RUN apt-get update && apt-get install -y --no-install-recommends openjfx && rm -rf /var/lib/apt/lists/* &&
|
||||
apt-get install -y vim fakeroot
|
||||
|
|
|
@ -6,7 +6,7 @@
|
|||
# - Update version below
|
||||
# - Ensure JAVA_HOME below is pointing to OracleJDK 10 directory
|
||||
|
||||
version=1.5.1-SNAPSHOT
|
||||
version=1.5.2-SNAPSHOT
|
||||
version_base=$(echo $version | awk -F'[_-]' '{print $1}')
|
||||
if [ ! -f "$JAVA_HOME/bin/javapackager" ]; then
|
||||
if [ -d "/usr/lib/jvm/jdk-10.0.2" ]; then
|
||||
|
|
|
@ -4,7 +4,7 @@
|
|||
# Prior to running this script:
|
||||
# - Update version below
|
||||
|
||||
version=1.5.1-SNAPSHOT
|
||||
version=1.5.2-SNAPSHOT
|
||||
base_dir=$( cd "$(dirname "$0")" ; pwd -P )/../../..
|
||||
package_dir=$base_dir/desktop/package
|
||||
release_dir=$base_dir/desktop/release/$version
|
||||
|
|
|
@ -5,10 +5,10 @@
|
|||
<!-- See: https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html -->
|
||||
|
||||
<key>CFBundleVersion</key>
|
||||
<string>1.5.1</string>
|
||||
<string>1.5.2</string>
|
||||
|
||||
<key>CFBundleShortVersionString</key>
|
||||
<string>1.5.1</string>
|
||||
<string>1.5.2</string>
|
||||
|
||||
<key>CFBundleExecutable</key>
|
||||
<string>Bisq</string>
|
||||
|
|
|
@ -2,7 +2,7 @@
|
|||
|
||||
cd $(dirname $0)/../../../
|
||||
|
||||
version="1.5.0"
|
||||
version="1.5.2"
|
||||
|
||||
# Set BISQ_DIR as environment var to the path of your locally synced Bisq data directory e.g. BISQ_DIR=~/Library/Application\ Support/Bisq
|
||||
|
||||
|
|
|
@ -6,7 +6,7 @@ mkdir -p deploy
|
|||
|
||||
set -e
|
||||
|
||||
version="1.5.1-SNAPSHOT"
|
||||
version="1.5.2-SNAPSHOT"
|
||||
|
||||
cd ..
|
||||
./gradlew :desktop:build -x test shadowJar
|
||||
|
|
|
@ -2,7 +2,7 @@
|
|||
|
||||
cd ../../
|
||||
|
||||
version="1.5.1-SNAPSHOT"
|
||||
version="1.5.2-SNAPSHOT"
|
||||
|
||||
target_dir="releases/$version"
|
||||
|
||||
|
|
|
@ -2,7 +2,7 @@
|
|||
|
||||
cd $(dirname $0)/../../../
|
||||
|
||||
version=1.5.1
|
||||
version=1.5.2
|
||||
|
||||
find . -type f \( -name "finalize.sh" \
|
||||
-o -name "create_app.sh" \
|
||||
|
|
|
@ -2,8 +2,8 @@
|
|||
|
||||
cd $(dirname $0)/../../../
|
||||
|
||||
oldVersion=1.5.0
|
||||
newVersion=1.5.1
|
||||
oldVersion=1.5.1
|
||||
newVersion=1.5.2
|
||||
|
||||
find . -type f \( -name "finalize.sh" \
|
||||
-o -name "create_app.sh" \
|
||||
|
|
|
@ -11,7 +11,7 @@
|
|||
|
||||
@echo off
|
||||
|
||||
set version=1.5.1-SNAPSHOT
|
||||
set version=1.5.2-SNAPSHOT
|
||||
if not exist "%JAVA_HOME%\bin\javapackager.exe" (
|
||||
if not exist "%ProgramFiles%\Java\jdk-10.0.2" (
|
||||
echo Javapackager not found. Update JAVA_HOME variable to point to OracleJDK.
|
||||
|
|
|
@ -6,7 +6,7 @@
|
|||
|
||||
@echo off
|
||||
|
||||
set version=1.5.1-SNAPSHOT
|
||||
set version=1.5.2-SNAPSHOT
|
||||
set release_dir=%~dp0..\..\..\releases\%version%
|
||||
set package_dir=%~dp0..
|
||||
|
||||
|
|
|
@ -355,10 +355,10 @@ public class PeerInfoIcon extends Group {
|
|||
tagLabel.setText(tag.substring(0, 1));
|
||||
|
||||
if (numTrades > 0) {
|
||||
numTradesLabel.setText(String.valueOf(numTrades));
|
||||
numTradesLabel.setText(numTrades > 99 ? "*" : String.valueOf(numTrades));
|
||||
|
||||
double scaleFactor = getScaleFactor();
|
||||
if (numTrades > 9) {
|
||||
if (numTrades > 9 && numTrades < 100) {
|
||||
numTradesLabel.relocate(scaleFactor * 2, scaleFactor * 1);
|
||||
} else {
|
||||
numTradesLabel.relocate(scaleFactor * 5, scaleFactor * 1);
|
||||
|
|
|
@ -69,7 +69,6 @@ public class AmazonGiftCardForm extends PaymentMethodForm {
|
|||
public void addTradeCurrency() {
|
||||
addTradeCurrencyComboBox();
|
||||
currencyComboBox.setItems(FXCollections.observableArrayList(CurrencyUtil.getAllAmazonGiftCardCurrencies()));
|
||||
currencyComboBox.getSelectionModel().select(0);
|
||||
}
|
||||
|
||||
@Override
|
||||
|
|
|
@ -54,7 +54,6 @@ public class PerfectMoneyForm extends GeneralAccountNumberForm {
|
|||
public void addTradeCurrency() {
|
||||
addTradeCurrencyComboBox();
|
||||
currencyComboBox.setItems(FXCollections.observableArrayList(new FiatCurrency("USD"), new FiatCurrency("EUR")));
|
||||
currencyComboBox.getSelectionModel().select(0);
|
||||
}
|
||||
|
||||
@Override
|
||||
|
|
|
@ -352,7 +352,6 @@ public class MainViewModel implements ViewModel, BisqSetup.BisqSetupListener {
|
|||
bisqSetup.setDisplayPrivateNotificationHandler(privateNotification ->
|
||||
new Popup().headLine(Res.get("popup.privateNotification.headline"))
|
||||
.attention(privateNotification.getMessage())
|
||||
.setHeadlineStyle("-fx-text-fill: -bs-error-red; -fx-font-weight: bold; -fx-font-size: 16;")
|
||||
.onClose(privateNotificationManager::removePrivateNotification)
|
||||
.useIUnderstandButton()
|
||||
.show());
|
||||
|
|
|
@ -62,7 +62,7 @@ public abstract class PaymentAccountsView<R extends Node, M extends ActivatableW
|
|||
accountAgeWitnessService.getAccountAgeWitnessUtils().logSigners();
|
||||
} else if (Utilities.isCtrlShiftPressed(KeyCode.U, event)) {
|
||||
accountAgeWitnessService.getAccountAgeWitnessUtils().logUnsignedSignerPubKeys();
|
||||
} else if (Utilities.isAltOrCtrlPressed(KeyCode.C, event)) {
|
||||
} else if (Utilities.isCtrlShiftPressed(KeyCode.C, event)) {
|
||||
copyAccount();
|
||||
}
|
||||
};
|
||||
|
|
|
@ -313,7 +313,6 @@ public class ClosedTradesView extends ActivatableViewAndModel<VBox, ClosedTrades
|
|||
}
|
||||
|
||||
private void onWidthChange(double width) {
|
||||
log.error("onWidthChange " + width);
|
||||
txFeeColumn.setVisible(width > 1200);
|
||||
tradeFeeColumn.setVisible(width > 1300);
|
||||
buyerSecurityDepositColumn.setVisible(width > 1400);
|
||||
|
|
|
@ -878,16 +878,8 @@ public class GUIUtil {
|
|||
accountAgeWitnessService.getSignState(myWitness);
|
||||
String info = StringUtils.capitalize(signState.getDisplayString());
|
||||
|
||||
MaterialDesignIcon icon;
|
||||
MaterialDesignIcon icon = getIconForSignState(signState);
|
||||
|
||||
switch (signState) {
|
||||
case PEER_SIGNER:
|
||||
case ARBITRATOR:
|
||||
icon = MaterialDesignIcon.APPROVAL;
|
||||
break;
|
||||
default:
|
||||
icon = MaterialDesignIcon.ALERT_CIRCLE_OUTLINE;
|
||||
}
|
||||
label.setIcon(icon, info);
|
||||
}
|
||||
setGraphic(label);
|
||||
|
|
|
@ -23,7 +23,7 @@ dependencyVerification {
|
|||
'com.github.bisq-network.netlayer:tor.external:a3606a592d6b6caa6a2fb7db224eaf43c6874c6730da4815bd37ad686b283dcb',
|
||||
'com.github.bisq-network.netlayer:tor.native:b15aba7fe987185037791c7ec7c529cb001b90d723d047d54aab87aceb3b3d45',
|
||||
'com.github.bisq-network.netlayer:tor:a974190aa3a031067ccd1dda28a3ae58cad14060792299d86ea38a05fb21afc5',
|
||||
'com.github.bisq-network:bitcoinj:f6dd3c2c53f61d7f6aed49cfdcd012b4b9db882efd5e5813a45fc23b026c8d40',
|
||||
'com.github.bisq-network:bitcoinj:65ed08fa5777ea4a08599bdd575e7dc1f4ba2d4d5835472551439d6f6252e68a',
|
||||
'com.github.cd2357.tor-binary:tor-binary-geoip:ae27b6aca1a3a50a046eb11e38202b6d21c2fcd2b8643bbeb5ea85e065fbc1be',
|
||||
'com.github.cd2357.tor-binary:tor-binary-linux32:7b5d6770aa442ef6d235e8a9bfbaa7c62560690f9fe69ff03c7a752eae84f7dc',
|
||||
'com.github.cd2357.tor-binary:tor-binary-linux64:24111fa35027599a750b0176392dc1e9417d919414396d1b221ac2e707eaba76',
|
||||
|
|
|
@ -150,7 +150,7 @@ public class HttpClientImpl implements HttpClient {
|
|||
@Nullable String headerKey,
|
||||
@Nullable String headerValue) throws IOException {
|
||||
long ts = System.currentTimeMillis();
|
||||
log.info("requestWithoutProxy: URL={}, param={}, httpMethod={}", baseUrl, param, httpMethod);
|
||||
log.debug("requestWithoutProxy: URL={}, param={}, httpMethod={}", baseUrl, param, httpMethod);
|
||||
try {
|
||||
String spec = httpMethod == HttpMethod.GET ? baseUrl + param : baseUrl;
|
||||
URL url = new URL(spec);
|
||||
|
@ -171,7 +171,7 @@ public class HttpClientImpl implements HttpClient {
|
|||
int responseCode = connection.getResponseCode();
|
||||
if (responseCode == 200) {
|
||||
String response = convertInputStreamToString(connection.getInputStream());
|
||||
log.info("Response from {} with param {} took {} ms. Data size:{}, response: {}",
|
||||
log.debug("Response from {} with param {} took {} ms. Data size:{}, response: {}",
|
||||
baseUrl,
|
||||
param,
|
||||
System.currentTimeMillis() - ts,
|
||||
|
@ -223,7 +223,7 @@ public class HttpClientImpl implements HttpClient {
|
|||
@Nullable String headerKey,
|
||||
@Nullable String headerValue) throws IOException {
|
||||
long ts = System.currentTimeMillis();
|
||||
log.info("requestWithoutProxy: baseUrl={}, param={}, httpMethod={}", baseUrl, param, httpMethod);
|
||||
log.debug("doRequestWithProxy: baseUrl={}, param={}, httpMethod={}", baseUrl, param, httpMethod);
|
||||
// This code is adapted from:
|
||||
// http://stackoverflow.com/a/25203021/5616248
|
||||
|
||||
|
@ -257,7 +257,7 @@ public class HttpClientImpl implements HttpClient {
|
|||
String response = convertInputStreamToString(httpResponse.getEntity().getContent());
|
||||
int statusCode = httpResponse.getStatusLine().getStatusCode();
|
||||
if (statusCode == 200) {
|
||||
log.info("Response from {} took {} ms. Data size:{}, response: {}, param: {}",
|
||||
log.debug("Response from {} took {} ms. Data size:{}, response: {}, param: {}",
|
||||
baseUrl,
|
||||
System.currentTimeMillis() - ts,
|
||||
Utilities.readableFileSize(response.getBytes().length),
|
||||
|
|
|
@ -30,6 +30,7 @@ import javafx.beans.property.SimpleLongProperty;
|
|||
import java.util.Date;
|
||||
import java.util.Map;
|
||||
import java.util.concurrent.ConcurrentHashMap;
|
||||
import java.util.concurrent.TimeUnit;
|
||||
|
||||
import lombok.extern.slf4j.Slf4j;
|
||||
|
||||
|
@ -85,7 +86,7 @@ public class Statistic {
|
|||
totalReceivedBytes.get() / 1024d,
|
||||
numTotalReceivedMessages.get(), totalReceivedMessages,
|
||||
numTotalReceivedMessagesPerSec.get());
|
||||
}, 60);
|
||||
}, TimeUnit.MINUTES.toSeconds(5));
|
||||
}
|
||||
|
||||
public static LongProperty totalSentBytesProperty() {
|
||||
|
|
|
@ -184,7 +184,9 @@ public class TorNetworkNode extends NetworkNode {
|
|||
log.info("Tor shut down completed");
|
||||
} else {
|
||||
log.info("Tor has not been created yet. We cancel the torStartupFuture.");
|
||||
torStartupFuture.cancel(true);
|
||||
if (torStartupFuture != null) {
|
||||
torStartupFuture.cancel(true);
|
||||
}
|
||||
log.info("torStartupFuture cancelled");
|
||||
}
|
||||
} catch (Throwable e) {
|
||||
|
@ -278,7 +280,6 @@ public class TorNetworkNode extends NetworkNode {
|
|||
}
|
||||
return null;
|
||||
});
|
||||
log.info("It will take some time for the HS to be reachable (~40 seconds). You will be notified about this");
|
||||
} catch (TorCtlException e) {
|
||||
String msg = e.getCause() != null ? e.getCause().toString() : e.toString();
|
||||
log.error("Tor node creation failed: {}", msg);
|
||||
|
|
|
@ -944,7 +944,7 @@ public class P2PDataStorage implements MessageListener, ConnectionListener, Pers
|
|||
if (entriesToRemoveWithPayloadHash.isEmpty())
|
||||
return;
|
||||
|
||||
log.info("Remove {} expired data entries", entriesToRemoveWithPayloadHash.size());
|
||||
log.debug("Remove {} expired data entries", entriesToRemoveWithPayloadHash.size());
|
||||
|
||||
ArrayList<ProtectedStorageEntry> entriesForSignal = new ArrayList<>(entriesToRemoveWithPayloadHash.size());
|
||||
entriesToRemoveWithPayloadHash.forEach(entryToRemoveWithPayloadHash -> {
|
||||
|
|
BIN
p2p/src/main/resources/AccountAgeWitnessStore_1.5.2_BTC_MAINNET
(Stored with Git LFS)
Normal file
BIN
p2p/src/main/resources/AccountAgeWitnessStore_1.5.2_BTC_MAINNET
(Stored with Git LFS)
Normal file
Binary file not shown.
BIN
p2p/src/main/resources/AccountAgeWitnessStore_BTC_MAINNET
(Stored with Git LFS)
BIN
p2p/src/main/resources/AccountAgeWitnessStore_BTC_MAINNET
(Stored with Git LFS)
Binary file not shown.
BIN
p2p/src/main/resources/DaoStateStore_BTC_MAINNET
(Stored with Git LFS)
BIN
p2p/src/main/resources/DaoStateStore_BTC_MAINNET
(Stored with Git LFS)
Binary file not shown.
BIN
p2p/src/main/resources/SignedWitnessStore_BTC_MAINNET
(Stored with Git LFS)
BIN
p2p/src/main/resources/SignedWitnessStore_BTC_MAINNET
(Stored with Git LFS)
Binary file not shown.
BIN
p2p/src/main/resources/TradeStatistics3Store_1.5.2_BTC_MAINNET
(Stored with Git LFS)
Normal file
BIN
p2p/src/main/resources/TradeStatistics3Store_1.5.2_BTC_MAINNET
(Stored with Git LFS)
Normal file
Binary file not shown.
|
@ -1 +1 @@
|
|||
1.5.1-SNAPSHOT
|
||||
1.5.2-SNAPSHOT
|
||||
|
|
|
@ -41,7 +41,7 @@ import lombok.extern.slf4j.Slf4j;
|
|||
@Slf4j
|
||||
public class SeedNodeMain extends ExecutableForAppWithP2p {
|
||||
private static final long CHECK_CONNECTION_LOSS_SEC = 30;
|
||||
private static final String VERSION = "1.5.1";
|
||||
private static final String VERSION = "1.5.2";
|
||||
private SeedNode seedNode;
|
||||
private Timer checkConnectionLossTime;
|
||||
|
||||
|
|
Loading…
Add table
Reference in a new issue