diff --git a/LeftPanel.qml b/LeftPanel.qml index 4c47c897..cd83989f 100644 --- a/LeftPanel.qml +++ b/LeftPanel.qml @@ -132,7 +132,6 @@ Rectangle { text: qsTr("Balance") + translationManager.emptyString anchors.left: parent.left anchors.leftMargin: 50 - tipText: qsTr("Test tip 1

line 2") + translationManager.emptyString } Row { @@ -178,7 +177,6 @@ Rectangle { text: qsTr("Unlocked balance") + translationManager.emptyString anchors.left: parent.left anchors.leftMargin: 50 - tipText: qsTr("Test tip 2

line 2") + translationManager.emptyString } Text { diff --git a/MiddlePanel.qml b/MiddlePanel.qml index b51b391d..404a9d40 100644 --- a/MiddlePanel.qml +++ b/MiddlePanel.qml @@ -47,7 +47,7 @@ Rectangle { property string balanceText property string unlockedBalanceLabelText: qsTr("Unlocked Balance") + translationManager.emptyString property string unlockedBalanceText - property int minHeight: 800 + property int minHeight: (appWindow.height > 800) ? appWindow.height : 800 // property int headerHeight: header.height property Transfer transferView: Transfer { } diff --git a/android/README.md b/android/README.md new file mode 100644 index 00000000..b05c260a --- /dev/null +++ b/android/README.md @@ -0,0 +1,53 @@ +Copyright (c) 2014-2017, The Monero Project + + +## Current status : ALPHA + + - Minimum Android 5.0 (api level 21) + - Modal dialogs can appear in background giving the feeling that the application is frozen (Work around : turn screen off/on or switch to another app and back) + +## Build using Docker + +# Base environnement + + cd monero/utils/build_scripts + docker build -f android32.Dockerfile -t monero-android . + cd .. + +# Build GUI + + cd android/docker + docker build -t monero-gui-android . + docker create -it --name monero-gui-android monero-gui-android bash + +# Get the apk + + docker cp monero-gui-android:/opt/android/monero-core/build/release/bin/bin/QtApp-debug.apk . + +## Deployment + +- Using ADB (Android debugger bridge) : + + First, see section [Enable adb debugging on your device](https://developer.android.com/studio/command-line/adb.html#Enabling) + The only place where we are allowed to play is `/data/local/tmp`. So : + + adb push /opt/android/monero-core/build/release/bin/bin/QtApp-debug.apk /data/local/tmp + adb shell pm install -r /data/local/tmp/QtApp-debug.apk + + - Troubleshooting: + + adb devices -l + adb logcat + + if using adb inside docker, make sure you did "docker run -v /dev/bus/usb:/dev/bus/usb --privileged" + +- Using a web server + + mkdir /usr/tmp + cp QtApp-debug.apk /usr/tmp + docker run -d -v /usr/tmp:/usr/share/nginx/html:ro -p 8080:80 nginx + + Now it should be accessible through a web browser at + + http://:8080/QtApp-debug.apk + diff --git a/android/docker/Dockerfile b/android/docker/Dockerfile new file mode 100644 index 00000000..5f1b1e53 --- /dev/null +++ b/android/docker/Dockerfile @@ -0,0 +1,108 @@ +FROM monero-android + +#INSTALL JAVA +RUN echo "deb http://ftp.fr.debian.org/debian/ jessie-backports main contrib non-free" >> /etc/apt/sources.list +RUN dpkg --add-architecture i386 \ + && apt-get update \ + && apt-get install -y libc6:i386 libncurses5:i386 libstdc++6:i386 libz1:i386 \ + && apt-get install -y -t jessie-backports ca-certificates-java openjdk-8-jdk-headless openjdk-8-jre-headless ant +ENV JAVA_HOME /usr/lib/jvm/java-8-openjdk-amd64 +ENV PATH $JAVA_HOME/bin:$PATH + +#Get Qt +ENV QT_VERSION 5.8 + +RUN git clone git://code.qt.io/qt/qt5.git -b ${QT_VERSION} \ + && cd qt5 \ + && perl init-repository + +## Note: Need to use libc++ but Qt does not provide mkspec for libc++. +## Their support of it is quite recent and they claim they don't use it by default +## [only because it produces bigger binary objects](https://bugreports.qt.io/browse/QTBUG-50724). + +#Create new mkspec for clang + libc++ +RUN cp -r qt5/qtbase/mkspecs/android-clang qt5/qtbase/mkspecs/android-clang-libc \ + && cd qt5/qtbase/mkspecs/android-clang-libc \ + && sed -i '16i ANDROID_SOURCES_CXX_STL_LIBDIR = $$NDK_ROOT/sources/cxx-stl/llvm-libc++/libs/$$ANDROID_TARGET_ARCH' qmake.conf \ + && sed -i '17i ANDROID_SOURCES_CXX_STL_INCDIR = $$NDK_ROOT/sources/cxx-stl/llvm-libc++/include' qmake.conf \ + && echo "QMAKE_LIBS_PRIVATE = -lc++_shared -llog -lz -lm -ldl -lc -lgcc " >> qmake.conf \ + && echo "QMAKE_CFLAGS -= -mfpu=vfp " >> qmake.conf \ + && echo "QMAKE_CXXFLAGS -= -mfpu=vfp " >> qmake.conf \ + && echo "QMAKE_CFLAGS += -mfpu=vfp4 " >> qmake.conf \ + && echo "QMAKE_CXXFLAGS += -mfpu=vfp4 " >> qmake.conf + +ENV ANDROID_API android-21 + +#ANDROID SDK TOOLS +RUN echo y | $ANDROID_SDK_ROOT/tools/android update sdk --no-ui --all --filter platform-tools +RUN echo y | $ANDROID_SDK_ROOT/tools/android update sdk --no-ui --all --filter ${ANDROID_API} +RUN echo y | $ANDROID_SDK_ROOT/tools/android update sdk --no-ui --all --filter build-tools-25.0.1 + +ENV CLEAN_PATH $JAVA_HOME/bin:/usr/cmake-3.6.3-Linux-x86_64/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin + +#build Qt +RUN cd qt5 && PATH=${CLEAN_PATH} ./configure -developer-build -release \ + -xplatform android-clang-libc \ + -android-ndk-platform ${ANDROID_API} \ + -android-ndk $ANDROID_NDK_ROOT \ + -android-sdk $ANDROID_SDK_ROOT \ + -opensource -confirm-license \ + -prefix ${WORKDIR}/Qt-${QT_VERSION} \ + -nomake tests -nomake examples \ + -skip qtserialport \ + -skip qtconnectivity \ + -skip qttranslations \ + -skip qtgamepad -skip qtscript -skip qtdoc + +# build Qt tools : gnustl_shared.so is hard-coded in androiddeployqt +# replace it with libc++_shared.so +COPY androiddeployqt.patch qt5/qttools/androiddeployqt.patch +RUN cd qt5/qttools \ + && git apply androiddeployqt.patch \ + && cd .. \ + && PATH=${CLEAN_PATH} make -j4 \ + && PATH=${CLEAN_PATH} make install + +# Get iconv and ZBar +ENV ICONV_VERSION 1.14 +RUN git clone https://github.com/ZBar/ZBar.git \ + && curl -s -O http://ftp.gnu.org/pub/gnu/libiconv/libiconv-${ICONV_VERSION}.tar.gz \ + && tar -xzf libiconv-${ICONV_VERSION}.tar.gz \ + && cd libiconv-${ICONV_VERSION} \ + && CC=arm-linux-androideabi-clang CXX=arm-linux-androideabi-clang++ ./configure --build=x86_64-linux-gnu --host=arm-eabi --prefix=${WORKDIR}/libiconv --disable-rpath + +ENV PATH $ANDROID_SDK_ROOT/tools:$ANDROID_SDK_ROOT/platform-tools:${WORKDIR}/Qt-${QT_VERSION}/bin:$PATH + +#Build libiconv.a and libzbarjni.a +COPY android.mk.patch ZBar/android.mk.patch +RUN cd ZBar \ + && git apply android.mk.patch \ + && echo \ +"APP_ABI := armeabi-v7a \n\ +APP_STL := c++_shared \n\ +TARGET_PLATFORM := ${ANDROID_API} \n\ +TARGET_ARCH_ABI := armeabi-v7a \n\ +APP_CFLAGS += -target armv7-none-linux-androideabi -fexceptions -fstack-protector-strong -fno-limit-debug-info -mfloat-abi=softfp -mfpu=vfp -fno-builtin-memmove -fno-omit-frame-pointer -fno-stack-protector\n"\ + >> android/jni/Application.mk \ + && cd android \ + && android update project --path . -t "${ANDROID_API}" \ + && CC=arm-linux-androideabi-clang CXX=arm-linux-androideabi-clang++ ant -Dndk.dir=${ANDROID_NDK_ROOT} -Diconv.src=${WORKDIR}/libiconv-${ICONV_VERSION} zbar-clean zbar-ndk-build + +#Can't directly call build.sh because of env variables +RUN git clone https://github.com/monero-project/monero-core.git \ + && cd monero-core \ + && git submodule update \ + && CC=arm-linux-androideabi-clang CXX=arm-linux-androideabi-clang++ BOOST_ROOT=/opt/android/boost_1_62_0 BOOST_LIBRARYDIR=${WORKDIR}/boost_${BOOST_VERSION}/android32/lib/ OPENSSL_ROOT_DIR=${WORKDIR}/openssl/ ./get_libwallet_api.sh release-android + +RUN cp openssl/lib* ${ANDROID_NDK_ROOT}/platforms/${ANDROID_API}/arch-arm/usr/lib +RUN cp boost_${BOOST_VERSION}/android32/lib/lib* ${ANDROID_NDK_ROOT}/platforms/${ANDROID_API}/arch-arm/usr/lib +RUN cp ZBar/android/obj/local/armeabi-v7a/lib* ${ANDROID_NDK_ROOT}/platforms/${ANDROID_API}/arch-arm/usr/lib + +ENV PATH $ANDROID_SDK_ROOT/tools:$ANDROID_SDK_ROOT/platform-tools:${WORKDIR}/Qt-${QT_VERSION}/bin:$CLEAN_PATH + +# NB : zxcvbn-c needs to build a local binary and Qt don't care about these environnement variable +RUN cd monero-core \ + && CC="gcc" CXX="g++" ./build.sh release-android \ + && cd build \ + && make deploy + diff --git a/android/docker/android.mk.patch b/android/docker/android.mk.patch new file mode 100644 index 00000000..9fd7f172 --- /dev/null +++ b/android/docker/android.mk.patch @@ -0,0 +1,61 @@ +diff --git a/android/jni/Android.mk b/android/jni/Android.mk +index e442b07..158afd5 100644 +--- a/android/jni/Android.mk ++++ b/android/jni/Android.mk +@@ -12,14 +12,18 @@ LOCAL_PATH := $(ICONV_SRC) + + LOCAL_MODULE := libiconv + ++LOCAL_ARM_MODE := arm ++LOCAL_CPP_FEATURES := exceptions rtti features + LOCAL_CFLAGS := \ + -Wno-multichar \ + -D_ANDROID \ +- -DLIBDIR="c" \ ++ -DLIBDIR="\".\"" \ + -DBUILDING_LIBICONV \ + -DBUILDING_LIBCHARSET \ + -DIN_LIBRARY + ++LOCAL_CFLAGS += -fno-stack-protector ++ + LOCAL_SRC_FILES := \ + lib/iconv.c \ + libcharset/lib/localcharset.c \ +@@ -30,13 +34,14 @@ LOCAL_C_INCLUDES := \ + $(ICONV_SRC)/libcharset \ + $(ICONV_SRC)/libcharset/include + +-include $(BUILD_SHARED_LIBRARY) ++include $(BUILD_STATIC_LIBRARY) + + LOCAL_LDLIBS := -llog -lcharset + + # libzbarjni + include $(CLEAR_VARS) + ++ + LOCAL_PATH := $(MY_LOCAL_PATH) + LOCAL_MODULE := zbarjni + LOCAL_SRC_FILES := ../../java/zbarjni.c \ +@@ -71,6 +76,17 @@ LOCAL_C_INCLUDES := ../include \ + ../zbar \ + $(ICONV_SRC)/include + +-LOCAL_SHARED_LIBRARIES := libiconv ++LOCAL_STATIC_LIBRARIES := libiconv ++LOCAL_ARM_MODE := arm ++LOCAL_CPP_FEATURES := exceptions rtti features ++ ++LOCAL_CFLAGS := \ ++ -Wno-multichar \ ++ -D_ANDROID \ ++ -DLIBDIR="\".\"" \ ++ -DBUILDING_LIBICONV \ ++ -DBUILDING_LIBCHARSET \ ++ -DIN_LIBRARY ++ + +-include $(BUILD_SHARED_LIBRARY) +\ No newline at end of file ++include $(BUILD_STATIC_LIBRARY) diff --git a/android/docker/androiddeployqt.patch b/android/docker/androiddeployqt.patch new file mode 100644 index 00000000..b0657677 --- /dev/null +++ b/android/docker/androiddeployqt.patch @@ -0,0 +1,62 @@ +diff --git a/src/androiddeployqt/main.cpp b/src/androiddeployqt/main.cpp +index 8a8e591..71d693e 100644 +--- a/src/androiddeployqt/main.cpp ++++ b/src/androiddeployqt/main.cpp +@@ -1122,7 +1122,7 @@ bool updateLibsXml(const Options &options) + + QString libsPath = QLatin1String("libs/") + options.architecture + QLatin1Char('/'); + +- QString qtLibs = QLatin1String("gnustl_shared\n"); ++ QString qtLibs = QLatin1String("c++_shared\n"); + QString bundledInLibs; + QString bundledInAssets; + foreach (Options::BundledFile bundledFile, options.bundledFiles) { +@@ -2519,6 +2519,39 @@ bool installApk(const Options &options) + return true; + } + ++bool copyStl(Options *options) ++{ ++ if (options->deploymentMechanism == Options::Debug && !options->installApk) ++ return true; ++ ++ if (options->verbose) ++ fprintf(stdout, "Copying LIBC++ STL library\n"); ++ ++ QString filePath = options->ndkPath ++ + QLatin1String("/sources/cxx-stl/llvm-libc++") ++ + QLatin1String("/libs/") ++ + options->architecture ++ + QLatin1String("/libc++_shared.so"); ++ if (!QFile::exists(filePath)) { ++ fprintf(stderr, "LIBC STL library does not exist at %s\n", qPrintable(filePath)); ++ return false; ++ } ++ ++ QString destinationDirectory = ++ options->deploymentMechanism == Options::Debug ++ ? options->temporaryDirectoryName + QLatin1String("/lib") ++ : options->outputDirectory + QLatin1String("/libs/") + options->architecture; ++ ++ if (!copyFileIfNewer(filePath, destinationDirectory ++ + QLatin1String("/libc++_shared.so"), options->verbose)) { ++ return false; ++ } ++ ++ if (options->deploymentMechanism == Options::Debug && !deployToLocalTmp(options, QLatin1String("/lib/libc++_shared.so"))) ++ return false; ++ ++ return true; ++} + bool copyGnuStl(Options *options) + { + if (options->deploymentMechanism == Options::Debug && !options->installApk) +@@ -2870,7 +2903,7 @@ int main(int argc, char *argv[]) + if (Q_UNLIKELY(options.timing)) + fprintf(stdout, "[TIMING] %d ms: Read dependencies\n", options.timer.elapsed()); + +- if (options.deploymentMechanism != Options::Ministro && !copyGnuStl(&options)) ++ if (options.deploymentMechanism != Options::Ministro && !copyStl(&options)) + return CannotCopyGnuStl; + + if (Q_UNLIKELY(options.timing)) diff --git a/components/HistoryTable.qml b/components/HistoryTable.qml index 933c606c..082822d3 100644 --- a/components/HistoryTable.qml +++ b/components/HistoryTable.qml @@ -259,11 +259,11 @@ ListView { //elide: Text.ElideRight font.family: "Arial" font.pixelSize: 13 - color: (confirmations < 10)? "#FF6C3C" : "#545454" + color: (confirmations < confirmationsRequired)? "#FF6C3C" : "#545454" text: { if (!isPending) - if(confirmations < 10) - return blockHeight + " " + qsTr("(%1/10 confirmations)").arg(confirmations) + if(confirmations < confirmationsRequired) + return blockHeight + " " + qsTr("(%1/%2 confirmations)").arg(confirmations).arg(confirmationsRequired) else return blockHeight if (!isOut) diff --git a/components/IconButton.qml b/components/IconButton.qml index eeb80267..042439f1 100644 --- a/components/IconButton.qml +++ b/components/IconButton.qml @@ -50,23 +50,23 @@ Item { z: 100 } -// MouseArea { -// id: buttonArea -// anchors.fill: parent + MouseArea { + id: buttonArea + anchors.fill: parent -// onPressed: { -// buttonImage.x = buttonImage.x + 2 -// buttonImage.y = buttonImage.y + 2 -// } -// onReleased: { -// buttonImage.x = buttonImage.x - 2 -// buttonImage.y = buttonImage.y - 2 -// } + onPressed: { + buttonImage.x = buttonImage.x + 2 + buttonImage.y = buttonImage.y + 2 + } + onReleased: { + buttonImage.x = buttonImage.x - 2 + buttonImage.y = buttonImage.y - 2 + } -// onClicked: { -// parent.clicked(mouse) -// } -// } + onClicked: { + parent.clicked(mouse) + } + } } diff --git a/components/TextBlock.qml b/components/TextBlock.qml new file mode 100644 index 00000000..7c36088a --- /dev/null +++ b/components/TextBlock.qml @@ -0,0 +1,7 @@ +import QtQuick 2.0 + +TextEdit { + wrapMode: Text.Wrap + readOnly: true + selectByMouse: true +} diff --git a/get_libwallet_api.sh b/get_libwallet_api.sh index 7203838a..4f1e3992 100755 --- a/get_libwallet_api.sh +++ b/get_libwallet_api.sh @@ -16,8 +16,8 @@ if [ ! -d $MONERO_DIR/src ]; then git submodule init monero fi git submodule update --remote -# git -C $MONERO_DIR fetch --tags -# git -C $MONERO_DIR checkout v0.10.3.1 +git -C $MONERO_DIR fetch +git -C $MONERO_DIR checkout release-v0.11.0.0 # get monero core tag get_tag diff --git a/lang/flags/israel.png b/lang/flags/israel.png new file mode 100644 index 00000000..1fe1eb79 Binary files /dev/null and b/lang/flags/israel.png differ diff --git a/lang/flags/south_korea.png b/lang/flags/south_korea.png new file mode 100644 index 00000000..0bf9c12c Binary files /dev/null and b/lang/flags/south_korea.png differ diff --git a/lang/languages.xml b/lang/languages.xml index a2141c67..a0401e3a 100644 --- a/lang/languages.xml +++ b/lang/languages.xml @@ -35,4 +35,6 @@ List of available languages for your wallet's seed: + + diff --git a/main.qml b/main.qml index cd962ca8..e5d312d1 100644 --- a/main.qml +++ b/main.qml @@ -42,7 +42,7 @@ import "wizard" ApplicationWindow { id: appWindow - + title: "Monero" property var currentItem property bool whatIsEnable: false @@ -251,6 +251,12 @@ ApplicationWindow { viewOnly = currentWallet.viewOnly; + // New wallets saves the testnet flag in keys file. + if(persistentSettings.testnet != currentWallet.testnet) { + console.log("Using testnet flag from keys file") + persistentSettings.testnet = currentWallet.testnet; + } + // connect handlers currentWallet.refreshed.connect(onWalletRefresh) currentWallet.updated.connect(onWalletUpdate) @@ -296,7 +302,7 @@ ApplicationWindow { middlePanel.transferView.updatePriorityDropdown(); // If wallet isnt connected and no daemon is running - Ask - if(!walletInitialized && status === Wallet.ConnectionStatus_Disconnected && !daemonManager.running(persistentSettings.testnet)){ + if(isDaemonLocal() && !walletInitialized && status === Wallet.ConnectionStatus_Disconnected && !daemonManager.running(persistentSettings.testnet)){ daemonManagerDialog.open(); } // initialize transaction history once wallet is initialized first time; @@ -821,6 +827,7 @@ ApplicationWindow { // walletManager.walletOpened.connect(onWalletOpened); walletManager.walletClosed.connect(onWalletClosed); + walletManager.checkUpdatesComplete.connect(onWalletCheckUpdatesComplete); if(typeof daemonManager != "undefined") { daemonManager.daemonStarted.connect(onDaemonStarted); @@ -1341,8 +1348,7 @@ ApplicationWindow { Qt.quit(); } - function checkUpdates() { - var update = walletManager.checkUpdates("monero-gui", "gui") + function onWalletCheckUpdatesComplete(update) { if (update === "") return print("Update found: " + update) @@ -1360,10 +1366,24 @@ ApplicationWindow { } } + function checkUpdates() { + walletManager.checkUpdatesAsync("monero-gui", "gui") + } + Timer { id: updatesTimer interval: 3600*1000; running: true; repeat: true onTriggered: checkUpdates() } + function isDaemonLocal() { + var daemonAddress = appWindow.persistentSettings.daemon_address + if (daemonAddress === "") + return false + var daemonHost = daemonAddress.split(":")[0] + if (daemonHost === "127.0.0.1" || daemonHost === "localhost") + return true + return false + } + } diff --git a/monero b/monero index c9063c0b..ab594cfe 160000 --- a/monero +++ b/monero @@ -1 +1 @@ -Subproject commit c9063c0b8f78a1fca4c2306d5b1df5f664c030c2 +Subproject commit ab594cfee94dff87bb7039724563f6177a892b8b diff --git a/monero-wallet-gui.pro b/monero-wallet-gui.pro index 3dfa0d5f..27c0477c 100644 --- a/monero-wallet-gui.pro +++ b/monero-wallet-gui.pro @@ -301,6 +301,8 @@ TRANSLATIONS = \ # English is default language, no explicit translation file $$PWD/translations/monero-core_sv.ts \ # Swedish $$PWD/translations/monero-core_zh-cn.ts \ # Chinese (Simplified-China) $$PWD/translations/monero-core_zh-tw.ts \ # Chinese (Traditional-Taiwan) + $$PWD/translations/monero-core_he.ts \ # Hebrew + $$PWD/translations/monero-core_ko.ts \ # Korean CONFIG(release, debug|release) { DESTDIR = release/bin diff --git a/pages/History.qml b/pages/History.qml index 44027e6d..cd8b03d8 100644 --- a/pages/History.qml +++ b/pages/History.qml @@ -457,7 +457,7 @@ Rectangle { Rectangle { id: tableRect - property int expandedHeight: parent.height - filterHeaderText.y - filterHeaderText.height - 17 + property int expandedHeight: parent.height - filterHeaderText.y - filterHeaderText.height - 5 property int middleHeight: parent.height - fromDatePicker.y - fromDatePicker.height - 17 property int collapsedHeight: parent.height - transactionTypeDropdown.y - transactionTypeDropdown.height - 17 anchors.left: parent.left diff --git a/pages/Mining.qml b/pages/Mining.qml index 985c9cdc..2099a45e 100644 --- a/pages/Mining.qml +++ b/pages/Mining.qml @@ -37,22 +37,10 @@ Rectangle { color: "#F0EEEE" property var currentHashRate: 0 - function isDaemonLocal() { - var daemonAddress = appWindow.persistentSettings.daemon_address - if (daemonAddress === "") - return false - var daemonHost = daemonAddress.split(":")[0] - if (daemonHost === "127.0.0.1" || daemonHost === "localhost") - return true - return false - } - /* main layout */ ColumnLayout { id: mainLayout anchors.margins: 40 - anchors.bottomMargin: 10 - anchors.left: parent.left anchors.top: parent.top anchors.right: parent.right @@ -188,7 +176,6 @@ Rectangle { Text { id: statusText - anchors.topMargin: 17 text: qsTr("Status: not mining") textFormat: Text.RichText wrapMode: Text.Wrap diff --git a/pages/Settings.qml b/pages/Settings.qml index 5a908c0c..8173aba5 100644 --- a/pages/Settings.qml +++ b/pages/Settings.qml @@ -473,7 +473,7 @@ Rectangle { RowLayout { Label { color: "#4A4949" - text: qsTr("Version") + translationManager.emptyString + text: qsTr("Debug info") + translationManager.emptyString fontSize: 16 anchors.topMargin: 30 Layout.topMargin: 30 @@ -485,19 +485,28 @@ Rectangle { color: "#DEDEDE" } - Label { - id: guiVersion + TextBlock { Layout.topMargin: 8 - color: "#4A4949" + Layout.fillWidth: true text: qsTr("GUI version: ") + Version.GUI_VERSION + translationManager.emptyString - fontSize: 16 } - Label { + TextBlock { id: guiMoneroVersion - color: "#4A4949" + Layout.fillWidth: true text: qsTr("Embedded Monero version: ") + Version.GUI_MONERO_VERSION + translationManager.emptyString - fontSize: 16 + } + TextBlock { + Layout.fillWidth: true + text: (typeof currentWallet == "undefined") ? "" : qsTr("Wallet creation height: ") + currentWallet.walletCreationHeight + translationManager.emptyString + } + TextBlock { + Layout.fillWidth: true + text: (typeof currentWallet == "undefined") ? "" : qsTr("Wallet log path: ") + currentWallet.walletLogPath + translationManager.emptyString + } + TextBlock { + Layout.fillWidth: true + text: (typeof currentWallet == "undefined") ? "" : qsTr("Daemon log path: ") + currentWallet.daemonLogPath + translationManager.emptyString } } diff --git a/pages/Sign.qml b/pages/Sign.qml index 8a452cea..b8900e7f 100644 --- a/pages/Sign.qml +++ b/pages/Sign.qml @@ -443,7 +443,6 @@ Rectangle { id: verifySignatureLabel fontSize: 14 text: qsTr("Signature") + translationManager.emptyString - Layout.fillWidth: true } LineEdit { @@ -451,7 +450,6 @@ Rectangle { fontSize: mainLayout.lineEditFontSize placeholderText: qsTr("Signature") + translationManager.emptyString; Layout.fillWidth: true - Layout.alignment: Qt.AlignLeft IconButton { imageSource: "../images/copyToClipboard.png" diff --git a/pages/Transfer.qml b/pages/Transfer.qml index 6dbe21f4..7ca97750 100644 --- a/pages/Transfer.qml +++ b/pages/Transfer.qml @@ -686,14 +686,9 @@ Rectangle { } function updatePriorityDropdown() { - // Use new fee multipliers after v5 fork - if (typeof currentWallet != "undefined" && currentWallet.useForkRules(5)) { - priorityDropdown.dataModel = priorityModelV5; - priorityDropdown.currentIndex = 1 - } else { - priorityDropdown.dataModel = priorityModel; - priorityDropdown.currentIndex = 0 - } + priorityDropdown.dataModel = priorityModelV5; + priorityDropdown.currentIndex = 1 + priorityDropdown.update() } //TODO: Add daemon sync status diff --git a/qml.qrc b/qml.qrc index 991ce4b2..f3680259 100644 --- a/qml.qrc +++ b/qml.qrc @@ -119,6 +119,8 @@ lang/flags/taiwan.png lang/flags/uk.png lang/flags/usa.png + lang/flags/israel.png + lang/flags/south_korea.png wizard/WizardManageWalletUI.qml wizard/WizardRecoveryWallet.qml wizard/WizardMemoTextInput.qml @@ -139,5 +141,6 @@ components/QRCodeScanner.qml components/Notifier.qml components/MobileHeader.qml + components/TextBlock.qml diff --git a/src/libwalletqt/TransactionHistory.cpp b/src/libwalletqt/TransactionHistory.cpp index 9cd22bee..31e8952e 100644 --- a/src/libwalletqt/TransactionHistory.cpp +++ b/src/libwalletqt/TransactionHistory.cpp @@ -45,11 +45,12 @@ QList TransactionHistory::getAll() const if (ti->timestamp() <= firstDateTime) { firstDateTime = ti->timestamp(); } + quint64 requiredConfirmations = (ti->blockHeight() < ti->unlockTime()) ? ti->unlockTime() - ti->blockHeight() : 0; // store last tx height - if (ti->confirmations() < 10 && ti->blockHeight() >= lastTxHeight ){ + if (ti->confirmations() < requiredConfirmations && ti->blockHeight() >= lastTxHeight) { lastTxHeight = ti->blockHeight(); // TODO: Fetch block time and confirmations needed from wallet2? - m_minutesToUnlock = (10 - ti->confirmations()) * 2; + m_minutesToUnlock = (requiredConfirmations - ti->confirmations()) * 2; m_locked = true; } diff --git a/src/libwalletqt/TransactionInfo.cpp b/src/libwalletqt/TransactionInfo.cpp index 71df2b02..5ad739bf 100644 --- a/src/libwalletqt/TransactionInfo.cpp +++ b/src/libwalletqt/TransactionInfo.cpp @@ -51,6 +51,11 @@ quint64 TransactionInfo::confirmations() const return m_pimpl->confirmations(); } +quint64 TransactionInfo::unlockTime() const +{ + return m_pimpl->unlockTime(); +} + QString TransactionInfo::hash() const { return QString::fromStdString(m_pimpl->hash()); diff --git a/src/libwalletqt/TransactionInfo.h b/src/libwalletqt/TransactionInfo.h index 30418b88..fa13a3be 100644 --- a/src/libwalletqt/TransactionInfo.h +++ b/src/libwalletqt/TransactionInfo.h @@ -19,6 +19,7 @@ class TransactionInfo : public QObject Q_PROPERTY(QString fee READ fee) Q_PROPERTY(quint64 blockHeight READ blockHeight) Q_PROPERTY(quint64 confirmations READ confirmations) + Q_PROPERTY(quint64 unlockTime READ unlockTime) Q_PROPERTY(QString hash READ hash) Q_PROPERTY(QDateTime timestamp READ timestamp) Q_PROPERTY(QString date READ date) @@ -44,6 +45,7 @@ public: QString fee() const; quint64 blockHeight() const; quint64 confirmations() const; + quint64 unlockTime() const; //! transaction_id QString hash() const; QDateTime timestamp() const; diff --git a/src/libwalletqt/Wallet.cpp b/src/libwalletqt/Wallet.cpp index b79d77e5..5a71debf 100644 --- a/src/libwalletqt/Wallet.cpp +++ b/src/libwalletqt/Wallet.cpp @@ -599,6 +599,16 @@ bool Wallet::useForkRules(quint8 required_version, quint64 earlyBlocks) const } } +QString Wallet::getDaemonLogPath() const +{ + return QString::fromStdString(m_walletImpl->getDefaultDataDir()) + "/bitmonero.log"; +} + +QString Wallet::getWalletLogPath() const +{ + return QCoreApplication::applicationDirPath() + "/monero-wallet-gui.log"; +} + Wallet::Wallet(Monero::Wallet *w, QObject *parent) : QObject(parent) , m_walletImpl(w) diff --git a/src/libwalletqt/Wallet.h b/src/libwalletqt/Wallet.h index 1224b24d..3fcc057f 100644 --- a/src/libwalletqt/Wallet.h +++ b/src/libwalletqt/Wallet.h @@ -45,6 +45,9 @@ class Wallet : public QObject Q_PROPERTY(QString publicViewKey READ getPublicViewKey) Q_PROPERTY(QString secretSpendKey READ getSecretSpendKey) Q_PROPERTY(QString publicSpendKey READ getPublicSpendKey) + Q_PROPERTY(QString daemonLogPath READ getDaemonLogPath CONSTANT) + Q_PROPERTY(QString walletLogPath READ getWalletLogPath CONSTANT) + Q_PROPERTY(quint64 walletCreationHeight READ getWalletCreationHeight CONSTANT) public: @@ -241,6 +244,10 @@ public: QString getSecretSpendKey() const {return QString::fromStdString(m_walletImpl->secretSpendKey());} QString getPublicSpendKey() const {return QString::fromStdString(m_walletImpl->publicSpendKey());} + quint64 getWalletCreationHeight() const {return m_walletImpl->getRefreshFromBlockHeight();} + QString getDaemonLogPath() const; + QString getWalletLogPath() const; + // TODO: setListenter() when it implemented in API signals: // emitted on every event happened with wallet diff --git a/src/libwalletqt/WalletManager.cpp b/src/libwalletqt/WalletManager.cpp index 300b3699..396274c6 100644 --- a/src/libwalletqt/WalletManager.cpp +++ b/src/libwalletqt/WalletManager.cpp @@ -331,8 +331,26 @@ bool WalletManager::saveQrCode(const QString &code, const QString &path) const return QRCodeImageProvider::genQrImage(code, &size).scaled(size.expandedTo(QSize(240, 240)), Qt::KeepAspectRatio).save(path, "PNG", 100); } +void WalletManager::checkUpdatesAsync(const QString &software, const QString &subdir) const +{ + QFuture future = QtConcurrent::run(this, &WalletManager::checkUpdates, + software, subdir); + QFutureWatcher * watcher = new QFutureWatcher(); + connect(watcher, &QFutureWatcher::finished, + this, [this, watcher]() { + QFuture future = watcher->future(); + watcher->deleteLater(); + qDebug() << "Checking for updates - done"; + emit checkUpdatesComplete(future.result()); + }); + watcher->setFuture(future); +} + + + QString WalletManager::checkUpdates(const QString &software, const QString &subdir) const { + qDebug() << "Checking for updates"; const std::tuple result = Monero::WalletManager::checkUpdates(software.toStdString(), subdir.toStdString()); if (!std::get<0>(result)) return QString(""); diff --git a/src/libwalletqt/WalletManager.h b/src/libwalletqt/WalletManager.h index 6824d603..bf9bf19a 100644 --- a/src/libwalletqt/WalletManager.h +++ b/src/libwalletqt/WalletManager.h @@ -134,6 +134,7 @@ public: Q_INVOKABLE QString resolveOpenAlias(const QString &address) const; Q_INVOKABLE bool parse_uri(const QString &uri, QString &address, QString &payment_id, uint64_t &amount, QString &tx_description, QString &recipient_name, QVector &unknown_parameters, QString &error); Q_INVOKABLE bool saveQrCode(const QString &, const QString &) const; + Q_INVOKABLE void checkUpdatesAsync(const QString &software, const QString &subdir) const; Q_INVOKABLE QString checkUpdates(const QString &software, const QString &subdir) const; // clear/rename wallet cache @@ -143,6 +144,7 @@ signals: void walletOpened(Wallet * wallet); void walletClosed(const QString &walletAddress); + void checkUpdatesComplete(const QString &result) const; public slots: private: diff --git a/src/model/TransactionHistoryModel.cpp b/src/model/TransactionHistoryModel.cpp index 2e232259..c1f61fa1 100644 --- a/src/model/TransactionHistoryModel.cpp +++ b/src/model/TransactionHistoryModel.cpp @@ -85,6 +85,9 @@ QVariant TransactionHistoryModel::data(const QModelIndex &index, int role) const case TransactionConfirmationsRole: result = tInfo->confirmations(); break; + case TransactionConfirmationsRequiredRole: + result = (tInfo->blockHeight() < tInfo->unlockTime()) ? tInfo->unlockTime() - tInfo->blockHeight() : 0; + break; case TransactionHashRole: result = tInfo->hash(); break; @@ -130,6 +133,7 @@ QHash TransactionHistoryModel::roleNames() const roleNames.insert(TransactionFeeRole, "fee"); roleNames.insert(TransactionBlockHeightRole, "blockHeight"); roleNames.insert(TransactionConfirmationsRole, "confirmations"); + roleNames.insert(TransactionConfirmationsRequiredRole, "confirmationsRequired"); roleNames.insert(TransactionHashRole, "hash"); roleNames.insert(TransactionTimeStampRole, "timeStamp"); roleNames.insert(TransactionPaymentIdRole, "paymentId"); diff --git a/src/model/TransactionHistoryModel.h b/src/model/TransactionHistoryModel.h index 449d8003..a2dbd967 100644 --- a/src/model/TransactionHistoryModel.h +++ b/src/model/TransactionHistoryModel.h @@ -26,6 +26,7 @@ public: TransactionFeeRole, TransactionBlockHeightRole, TransactionConfirmationsRole, + TransactionConfirmationsRequiredRole, TransactionHashRole, TransactionTimeStampRole, TransactionPaymentIdRole, diff --git a/translations/monero-core.ts b/translations/monero-core.ts index 321fb5b5..45b26ebf 100644 --- a/translations/monero-core.ts +++ b/translations/monero-core.ts @@ -14,70 +14,55 @@ - - <b>Tip tekst test</b> - - - - + QRCODE - + 4... - + Payment ID <font size='2'>(Optional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - - - - + Paste 64 hexadecimal characters - + Description <font size='2'>(Optional)</font> - + Give this entry a name or description - + Add - + Error - + Invalid address - + Can't create entry - - - <b>Tip test test</b><br/><br/>test line 2 - - AddressBookTable @@ -200,52 +185,38 @@ - - <b>Total amount of selected payments</b> - - - - + Type for incremental search... - + Filter - + Date from - - - - - - <b>Tip tekst test</b> - - - - - + + To - + Advanced filtering - + Type of transaction - + Amount from @@ -332,42 +303,32 @@ - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance - - Test tip 2<br/><br/>line 2 - - - - + Send - + Receive - + R - + K - + History @@ -377,67 +338,67 @@ - + Address book - + B - + H - + Advanced - + D - + Mining - + M - + Check payment - + Sign/verify - + E - + S - + I - + Settings @@ -1175,16 +1136,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1286,194 +1267,194 @@ - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + No valid address found at this OpenAlias address - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history - + Send - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error - + Information - - + + Please choose a file - + Can't load unsigned transaction: - - - -Number of transactions: - - - - - -Transaction #%1 - - - - - -Recipient: - - -payment ID: - - - - - -Amount: +Number of transactions: -Fee: +Transaction #%1 +Recipient: + + + + + +payment ID: + + + + + +Amount: + + + + + +Fee: + + + + + Ringsize: - + Confirmation - + Can't submit transaction: - + Money sent successfully - - + + Wallet is not connected to daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Waiting on daemon synchronization to finish @@ -1483,37 +1464,37 @@ Please upgrade or connect to another daemon - + Transaction cost - + Payment ID <font size='2'>( Optional )</font> - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + 16 or 64 hexadecimal characters diff --git a/translations/monero-core_ar.ts b/translations/monero-core_ar.ts index 020b32d1..ec17e444 100644 --- a/translations/monero-core_ar.ts +++ b/translations/monero-core_ar.ts @@ -14,67 +14,52 @@ - - <b>Tip tekst test</b> - - - - + QRCODE - + 4... - + Payment ID <font size='2'>(Optional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - - - - + Paste 64 hexadecimal characters - + Description <font size='2'>(Optional)</font> - + Add - + Error - + Invalid address - + Can't create entry - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description @@ -200,52 +185,38 @@ - - <b>Total amount of selected payments</b> - - - - + Type for incremental search... - + Date from - - - - - - <b>Tip tekst test</b> - - - - - + + To - + Filter - + Advanced filtering - + Type of transaction - + Amount from @@ -332,42 +303,32 @@ - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance - - Test tip 2<br/><br/>line 2 - - - - + Send - + Receive - + R - + K - + History @@ -377,67 +338,67 @@ - + Address book - + B - + H - + Advanced - + D - + Mining - + M - + Check payment - + Sign/verify - + E - + S - + I - + Settings @@ -1175,16 +1136,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1276,164 +1257,164 @@ - + No valid address found at this OpenAlias address - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history - + Send - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error - + Information - - + + Please choose a file - + Can't load unsigned transaction: - - - -Number of transactions: - - - - - -Transaction #%1 - - - - - -Recipient: - - -payment ID: - - - - - -Amount: +Number of transactions: -Fee: +Transaction #%1 +Recipient: + + + + + +payment ID: + + + + + +Amount: + + + + + +Fee: + + + + + Ringsize: - + Confirmation - + Can't submit transaction: - + Money sent successfully - - + + Wallet is not connected to daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Waiting on daemon synchronization to finish @@ -1443,12 +1424,12 @@ Please upgrade or connect to another daemon - + Transaction cost - + Payment ID <font size='2'>( Optional )</font> @@ -1463,57 +1444,57 @@ Please upgrade or connect to another daemon - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + 16 or 64 hexadecimal characters diff --git a/translations/monero-core_de.ts b/translations/monero-core_de.ts index ce18984b..4a356d57 100644 --- a/translations/monero-core_de.ts +++ b/translations/monero-core_de.ts @@ -14,90 +14,55 @@ Adresse - - <b>Tip tekst test</b> - - - - + QRCODE QR-Code - + 4... - + Payment ID <font size='2'>(Optional)</font> Zahlungs-ID <font size='2'>(optional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Zahlungs-ID</b><br/><br/>Ein eindeutiger Benutzername aus<br/>dem Adressbuch. Wird nicht zum<br/>Transfer von Informationen verwendet - - - + Paste 64 hexadecimal characters Füge 64 hexadezimale Zeichen ein - + Description <font size='2'>(Optional)</font> Beschreibung <font size='2'>(Optional)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Einen Namen oder eine Beschreibung festlegen - + Add Hinzufügen - + Error Fehler - + Invalid address Ungültige Adresse - + Can't create entry Eintrag kann nicht erstellt werden - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during thevtransfer - <b>Zahlungs-ID</b><br/><br/>Ein eindeutiger Benutzername aus<br/>dem Adressbuch. Wird nicht zum<br/>Transfer von Informationen verwendet - - - Description <font size='2'>(Local database)</font> - Beschreibung <font size='2'>(Lokale Datenbank)</font> - - - ADD - NEU - - - Payment ID - Zahlungs-ID - - - Description - Beschreibung - AddressBookTable @@ -150,18 +115,6 @@ DaemonManagerDialog - - Daemon doesn't appear to be running - Daemon scheint nicht aktiv zu sein - - - Start daemon - Starte den Deamon - - - Cancel - Abbrechen - Starting Monero daemon in %1 seconds @@ -178,17 +131,6 @@ Benutzerdefinierte Einstellungen verwenden - - DaemonProgress - - Synchronizing blocks %1/%2 - Synchronisiere Block %1/%2 - - - Synchronizing blocks - Synchronisiere Blöcke - - Dashboard @@ -232,15 +174,6 @@ History - - - - - - - <b>Tip tekst test</b> - - Filter transaction history @@ -252,63 +185,38 @@ ausgewählt: - - <b>Total amount of selected payments</b> - <b>Gesamtbetrag der ausgewählten Zahlungen</b> - - - + Filter Filter - Incremental search - Inkrementelle Suche - - - Search transfers for a given string - Überweisungen nach Text-Übereinstimmungen suchen - - - Type search string - Suchtext eingeben - - - + Type for incremental search... Für Suchvervollständigung tippen... - + Date from Datum von - - + + To Bis - FILTER - FILTER - - - + Advanced filtering Erweiterter Filter - Advance filtering - Erweiterter Filter - - - + Type of transaction Art der Transaktion - + Amount from Betrag ab @@ -395,46 +303,32 @@ Guthaben - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Verfügbares Guthaben - - Test tip 2<br/><br/>line 2 - - - - + Send Senden - + Receive Empfangen - + R - Verify payment - Zahlung verifizieren - - - + K - + History Transaktionen @@ -444,77 +338,73 @@ Testnet - + Address book Adressbuch - + B - + H - + Advanced Fortgeschritten - + D - + Mining Mining - + M - + Check payment Zahlung überprüfen - + Sign/verify Signieren/Verifizieren - + I - + Settings Einstellungen - + E - + S MiddlePanel - - Balance: - Guthaben: - Balance @@ -525,10 +415,6 @@ Unlocked Balance Verfügbares Guthaben - - Unlocked Balance: - Verfügbares Guthaben: - Mining @@ -684,18 +570,6 @@ PrivacyLevelSmall - - LOW - NIEDRIG - - - MEDIUM - MITTEL - - - HIGH - HOCH - Low @@ -714,10 +588,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - Synchronisiere Block %1/%2 - Establishing connection... @@ -816,10 +686,6 @@ Generate payment ID for integrated address Erstelle Zahlungs-ID für die integrierte Adresse - - ReadOnly wallet integrated address displayed here - NurLesen Wallet integrierte Adresse wird hier angezeigt - Save QrCode @@ -840,10 +706,6 @@ Payment ID Zahlungs-ID - - 16 or 64 hexadecimal characters - 16 oder 64 Hexadezimal-Zeichen - Amount @@ -913,10 +775,6 @@ Settings - - Click button to show seed - Schaltfläche drücken um die Wiederherstellungs-Wörter einzusehen - @@ -953,18 +811,6 @@ Wrong password Falsches Passwort - - Mnemonic seed: - Wiederherstellungs-Wörter - - - It is very important to write it down as this is the only backup you will need for your wallet. - Es ist wichtig, dass Sie sich die Wörter notieren, da Sie damit Ihr Wallet wiederherstellen können. - - - Show seed - Wiederherstellungs-Wörter anzeigen - Daemon address @@ -975,10 +821,6 @@ Manage wallet Wallet verwalten - - Close current wallet and open wizard - Diese Wallet schließen und Wizard öffnen - Close wallet @@ -1004,10 +846,6 @@ Stop daemon Daemon stoppen - - Show log - Zeige Bericht - Daemon startup flags @@ -1144,10 +982,6 @@ Cancel Abbrechen - - Wallet mnemonic seed - Mnemonischer Code des Wallets - Hostname / IP @@ -1163,10 +997,6 @@ Port Port - - Save - Speichern - Sign @@ -1234,20 +1064,12 @@ Please choose a file to verify Bitte wähle eine zu verifizierende Datei aus - - SIGN - SIGNIEREN - Or file: Oder Datei: - - SELECT - AUSWÄHLEN - Filename with message to sign @@ -1271,10 +1093,6 @@ Message to verify Zu verifizierende Nachricht - - VERIFY - VERIFIZIEREN - Filename with message to verify @@ -1318,16 +1136,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + Standard (x4 Gebühr) {1 ?} + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All Alle - + Sent Verschickt - + Received Erhalten @@ -1339,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Kopiere Adresse in die Zwischenablage</b> - - <b>Send to same destination</b> - <b>An denselben Empfänger verschicken</b> - <b>Send to this address</b> @@ -1384,18 +1218,6 @@ TickDelegate - - LOW - NIEDRIG - - - MEDIUM - MITTEL - - - HIGH - HOCH - Normal @@ -1424,44 +1246,16 @@ Transaction priority Transaktionspriorität - - LOW - NIEDRIG - - - MEDIUM - MITTEL - - - HIGH - HOCH - - - or ALL - oder ALLES - OpenAlias error OpenAlias Fehler - - LOW (x1 fee) - Niedrig (x1 Gebühr) - - - MEDIUM (x20 fee) - Mittel (x20 Gebühr) - - - HIGH (x166 fee) - Hoch (x166 Gebühr) - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Start daemon</a><font size='2'>)</font> @@ -1478,299 +1272,233 @@ Alle - + Low (x1 fee) Niedrig (x1 Gebühr) - + Medium (x20 fee) Mittel (x20 Gebühr) - + High (x166 fee) Hoch (x166 Gebühr) - Default (x4 fee) - Standard (x4 Gebühr) - - - + Slow (x0.25 fee) - + Default (x1 fee) Standard (x4 Gebühr) {1 ?} - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style>Adresse <font size='2'> ( Füge ein oder wähle aus dem </font> <a href='#'>Adressbuch</a><font size='2'> )</font> - + QR Code QR-Code - + Resolve Auflösen - + No valid address found at this OpenAlias address Keine gültige Adresse unter dieser OpenAlias Adresse gefunden - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Adresse gefunden, aber die DNSSEC Signaturen konnten nicht verifiziert werden, sodass diese Adresse ggf. manipuliert wurde - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Keine gültige Adresse unter dieser OpenAlias Adresse gefunden und die DNSSEC Signaturen konnten nicht verifiziert werden, sodass diese Adresse ggf. manipuliert wurde - - + + Internal error Interner Fehler - + No address found Keine Adresse gefunden - + Description <font size='2'>( Optional )</font> Beschreibung <font size='2'>( optional )</font> - + Saved to local wallet history Wird in die lokale Wallet Historie gespeichert - + Send Senden - + Show advanced options Zeige fortgeschrittene Optionen - + Sweep Unmixable Unvermischbares zusammenfegen - + Create tx file Erstelle Tx-Datei - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - Rescan spent - Erneuter Scan der Ausgaben - - - - + + Error Fehler - Error: - Fehler: - - - + Information Information - Sucessfully rescanned spent outputs - Ausgaben erfolgreich erneut gescannt - - - - + + Please choose a file Bitte wähle eine Datei aus - + Can't load unsigned transaction: Nicht unterzeichnete Transaktion kann nicht geladen werden: - Number of transactions: - Anzahl an Transaktionen: - - - Transaction #%1 - Transaktion #%1 - - - Recipient: - Empfänger: - - - payment ID: - Zahlungs-ID: - - - Amount: - Betrag: - - - Fee: - Gebühr: - - - Ringsize: - Ringgröße: - - - + Confirmation Bestätigung - + Can't submit transaction: Transaktion kann nicht eingereicht werden - + Money sent successfully Geld erfolgreich versendet - Privacy level - Privatsphärelevel - - - + Transaction cost Transaktionskosten - + Sign tx file Tx-Datei unterzeichnen - + Submit tx file Tx-Datei einreichen - + Number of transactions: - + Transaction #%1 - + Recipient: - + payment ID: - + Amount: Betrag: - + Fee: - + Ringsize: - - + + Wallet is not connected to daemon. Wallet ist nicht mit dem Deamon verbunden. - Connected daemon is not compatible with GUI. -Please upgrade or connect to another daemon - Der verbundene Deamon ist nicht mit der GUI kompatibel. - Bitte installiere die neuste Version oder verbinde dich zu einem anderen Deamon. - - - + Waiting on daemon synchronization to finish Warte auf die vollständige Daemon Synchronisation - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse <font size='2'> (Eintippen oder aus dem </font> <a href='#'>Adressbuch</a><font size='2'> auswählen )</font> - - - + Payment ID <font size='2'>( Optional )</font> Zahlungs-ID <font size='2'>( Optional )</font> - + 16 or 64 hexadecimal characters 16 oder 64 Hexadezimalzeichen - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Beschreibung <font size='2'>(Eine optionale Beschreibung die im lokalen Adressbuch gespeichert wird)</font> - - - SEND - SENDEN - TxKey @@ -1834,10 +1562,6 @@ Please upgrade or connect to another daemon If a payment had several transactions then each must be checked and the results combined. Wenn eine Zahlung aus verschiedenen Transaktionen bestand, muss jede überprüft werden und die Ergebnisse kombiniert werden. - - CHECK - PRÜFE - WizardConfigure @@ -1851,10 +1575,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? Die Blockchain ankurbeln? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Es ist sehr wichtig, dass Du dir diesen Text aufschreibst, da es Deine einzige Wiederherstellungsmöglichkeit ist. Auf der nächsten Seite musst Du den Text erneut eingeben, um sicherzustellen, dass Dir kein Fehler unterlaufen ist. - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1891,14 +1611,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - Ein Wallet wurde für Dich erstellt - - - This is the 25 word mnemonic for your wallet - Das ist der Wiederherstellungscode bestehend aus 25 Wörtern für das Wallet - Create a new wallet @@ -1959,14 +1671,6 @@ Please upgrade or connect to another daemon Language Sprache - - Account name - Wallet Name - - - Seed - Wiederherstellungs-Wörter - Wallet name @@ -2007,19 +1711,11 @@ Please upgrade or connect to another daemon Don't forget to write down your seed. You can view your seed and change your settings on settings page. Vergiss nicht, den mnemonischen Code aufzuschreiben. Du kannst ihn unter dem Menüpunkt Einstellungen einsehen. - - An overview of your Monero configuration is below: - Hier ist die Zusammenfassung deiner Konfiguration: - You’re all set up! Du bist fertig! - - You’re all setup! - Du bist fertig! - WizardMain @@ -2054,11 +1750,6 @@ Please upgrade or connect to another daemon %1 - - The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: -%1 - Das schreibgeschützte Wallet wurde erstellt. Du kannst es öffnen, indem du das aktuelle Wallet schließt, auf "Öffne Wallet aus einer Datei" klickst und das schreibgeschützte Wallet in: %1 auswählst - Error @@ -2072,18 +1763,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Das ist der Name deines Wallets. Du kannst es auf einen anderen Namen ändern: - - - My account name - Mein Wallet-Name: - - - Restore height - Wiederherstellungspunkt - Wallet name @@ -2132,14 +1811,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Es ist sehr wichtig, dass Du dir diese Wörter aufschreibst, da er die einzige Wiederherstellungsmöglichkeit ist. Auf der nächsten Seite musst Du die Wörter erneut eingeben, um sicherzustellen, dass Dir kein Fehler unterlaufen ist. - - - It is very important to write it down as this is the only backup you will need for your wallet. - Es ist wichtig, dass Sie sich die Wörter notieren, da Sie damit Ihr Wallet wiederherstellen können. - Enter your 25 word mnemonic seed @@ -2183,22 +1854,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) Benutzerdefinierte Daemon Adresse (optional) - - This is my first time, I want to create a new account - Das ist das erste mal, ich möchte ein neues Wallet erstellen - - - I want to recover my account from my 25 word seed - Ich möchte ein Wallet wiederherstellen - - - I want to open a wallet from file - Ich möchte ein Wallet von einer Datei öffen - - - Please setup daemon address below. - Bitte Daemon-Adresse unten einstellen. - Testnet @@ -2207,28 +1862,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Jetzt wo Deine Wallet erstellt wurde, solltest Du es mit einem Passwort schützen - - - Now that your wallet has been restored, please set a password for the wallet - Jetzt wo Dein Wallet wiederhergestellt wurde, solltest Du es mit einem Passwort schützen - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Merke: Das Passwort kann nicht wiederhergestellt werden und wenn du es vergisst, kannst Du nur Zugriff auf Deine Geldbörse (Wallet) bekommen indem du den<br/><br/> - aus 25 Wörtern bestehenden mnemonischen Code eingibst, der Dir bei der Einrichtung angezeigt wurde. Das Passwort schützt die Geldbörse (Wallet) und jede damit verbundene Aktion. Verwende also ein sicheres Passwort. - - - Password - Passwort - - - Confirm password - Passwort bestätigen - @@ -2258,14 +1891,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - We're ready to recover your account - Dein Wallet kann wiederhergestellt werden - - - Please enter your 25 word private key - Bitte gib die Wiederherstellungs-Wörter ein - Restore wallet @@ -2274,10 +1899,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - Willkommen - Welcome to Monero! @@ -2310,10 +1931,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: Wallet konnte nicht geöffnet werden: - - Synchronizing blocks %1 / %2 - Synchronisiere Blöcke %1 / %2 - Can't create transaction: Wrong daemon version: @@ -2325,26 +1942,6 @@ Please upgrade or connect to another daemon No unmixable outputs to sweep Keine unvermischbaren Ausgänge zum zusammenfegen - - Please confirm transaction: - Bitte bestätige die Transaktion: - - - Amount: - Betrag: - - - Ringsize: - Ringgröße: - - - Number of transactions: - Anzahl an Transaktionen: - - - Description: - Beschreibung: - Amount is wrong: expected number from %1 to %2 @@ -2385,10 +1982,6 @@ Please upgrade or connect to another daemon New version of monero-wallet-gui is available: %1<br>%2 Eine neue Version der monero-wallet-gui ist verfügbar: %1<br>%2 - - This address received %1 monero, with %2 confirmations - Diese Adresse hat %1 Monero empfangen, mit %2 Bestätigungen - This address received nothing @@ -2441,24 +2034,6 @@ Please upgrade or connect to another daemon Confirmation Bestätigung - - Address: - Adresse: - - - Payment ID: - Zahlungs-ID: - - - -Amount: - -Betrag: - - - Fee: - Gebühr: - diff --git a/translations/monero-core_eo.ts b/translations/monero-core_eo.ts index 9c441737..47c6c1d7 100644 --- a/translations/monero-core_eo.ts +++ b/translations/monero-core_eo.ts @@ -14,22 +14,17 @@ Adreso - - <b>Tip tekst test</b> - - - - + QRCODE QR kodo - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> paga-ID <font size='2'>(Optional)</font> @@ -39,42 +34,37 @@ <b>Paga-ID</b><br/><br/>Unika uzantnomo uzita en<br/>via adresaro. Tiu informo ne sendiĝos a<br/>kun la transakcio - + Paste 64 hexadecimal characters Algluu 64 deksesumajn signojn - + Description <font size='2'>(Optional)</font> Priskribo <font size='2'>(Opcia)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Donu nomon aŭ priskribon al ĉi tiu enigo - + Add Aldoni - + Error Eraro - + Invalid address Nevalida adreso - + Can't create entry Ne sukcesas krei enigon @@ -192,15 +182,6 @@ History - - - - - - - <b>Tip tekst test</b> - - Filter transaction history @@ -217,38 +198,38 @@ <b>Totala kvanto de selektitaj pagoj</b> - + Filter Filtri - + Type for incremental search... Tajpu por inkrementa serĉo... - + Date from Dato: de la... - - + + To ĝis la... - + Advanced filtering Sperta filtrado - + Type of transaction Transakcia tipo - + Amount from Kvanto: de... @@ -335,42 +316,32 @@ Saldo - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Disponebla saldo - - Test tip 2<br/><br/>line 2 - - - - + Send - Sendi + Sendu - + Receive Ricevi - + R R - + K K - + History Historio @@ -380,67 +351,67 @@ Testreto - + Address book Adresaro - + B B - + H H - + Advanced Spertaĵoj - + D D - + Mining Minado - + M M - + Check payment Kontrolu pagon - + Sign/verify Subskribi/kontroli - + I I - + Settings Agordoj - + E E - + S A @@ -1183,16 +1154,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All ĈIUJ - + Sent Sendita - + Received Ricevita @@ -1294,204 +1285,204 @@ Ĉiuj - + Low (x1 fee) Malalta (x1 kosto) - + Medium (x20 fee) Meza (x20 kosto) - + High (x166 fee) Alta (x166 kosto) - + Slow (x0.25 fee) Malrapida (x0.25 kosto) - + Default (x1 fee) Antaŭsupoza (x1 kosto) - + Fast (x5 fee) Rapida (x5 kosto) - + Fastest (x41.5 fee) Plej rapida (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adreso <font size='2'> (Algluu ĉi tie aŭ selektu el la </font> <a href='#'>Adresaro</a><font size='2'> )</font> - + QR Code QR kodo - + Resolve Solvi - + No valid address found at this OpenAlias address Neniu valida Adreso troviĝis je ĉi tiu OpenAlias adreso - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed La adreso troviĝis, sed la DNSSEC-subskriboj ne povis esti kontrolitaj, do la adreso eble estas mistifikita - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Neniu valida Adreso troviĝis je ĉi tiu OpenAlias adreso, sed la DNSSEC subskriboj ne povis esti kontrolitaj, do la adreso eble estas mistifikita - - + + Internal error Interna eraro - + No address found Neniu adreso trovita - + Description <font size='2'>( Optional )</font> Priskribo <font size='2'>( Opcia )</font> - + Saved to local wallet history Konservita en la loka monujhistorio - + Send Sendi - + Show advanced options Montru spertajn agordojn - + Transaction cost Transakcia kosto - + Sweep Unmixable Balai Nemikseblaĵojn - + Create tx file Kreu=i tr dosieron - + Sign tx file Subskribi tr dosieron - + Submit tx file Sendi tr dosieron - - + + Error Eraro - + Information Informo - - + + Please choose a file Bonvolu elekti dosieron - + Can't load unsigned transaction: Ne eblas ŝargi nesubskribitan transakcion: - + Number of transactions: Kvanto de transakcioj: - + Transaction #%1 Transakcio #%1 - + Recipient: Ricevanto: - + payment ID: Paga ID: - + Amount: Kvanto: - + Fee: Kosto: - + Ringsize: Ringgrandeco: - + Confirmation Konfirmo - + Can't submit transaction: Ne eblas sendi transakcion: - + Money sent successfully Mono sukcese sendita - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon La konektita demono ne kongruas kun la GUI. @@ -1503,23 +1494,23 @@ Bonvolu plibonigi aŭ konekti al alia demono - - + + Wallet is not connected to daemon. La monujo ne estas konektita kun la demono - + Waiting on daemon synchronization to finish Atendante la finon de demonsinkroniĝado - + Payment ID <font size='2'>( Optional )</font> Paga-ID <font size='2'>( Opcia )</font> - + 16 or 64 hexadecimal characters 16 aŭ 64 deksesuma karaktroj @@ -1787,14 +1778,6 @@ Bonvolu plibonigi aŭ konekti al alia demono WizardManageWalletUI - - My account name - Mia monujnomo - - - Restore height - Restaŭralteco - Wallet name @@ -1886,10 +1869,6 @@ Bonvolu plibonigi aŭ konekti al alia demono Custom daemon address (optional) Propra demonadreso (opcia) - - This is my first time, I want to create a new account - Estas mia unua fojo, mi volas krei novan monujon - Testnet diff --git a/translations/monero-core_es.ts b/translations/monero-core_es.ts index c9623047..e84e157b 100644 --- a/translations/monero-core_es.ts +++ b/translations/monero-core_es.ts @@ -14,67 +14,52 @@ Dirección - - <b>Tip tekst test</b> - <b>Tip tekst test</b> - - - + QRCODE QRCODE - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> ID de Pago <font size='2'>(Opcional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>ID de pago</b><br/><br/>Nombre de usuario único usado en<br/>la libreta de direcciones. No es una <br/>transferencia de información enviada<br/>durante la transacción - - - + Paste 64 hexadecimal characters Pegar 64 caracteres hexadecimales - + Description <font size='2'>(Optional)</font> Descripción <font size='2'>(Opcional)</font> - + Add Añadir - + Error Error - + Invalid address Dirección inválida - + Can't create entry No se puede crear la entrada - - <b>Tip test test</b><br/><br/>test line 2 - <b>Tip test test</b><br/><br/>test line 2 - - - + Give this entry a name or description De a esta entrada un nombre o descripción @@ -200,52 +185,38 @@ Filtrar historial de transacciones - - <b>Total amount of selected payments</b> - <b>Cantidad total de los pagos seleccionados</b> - - - + Type for incremental search... Escriba para búsqueda incremental... - + Date from Fecha desde - - - - - - <b>Tip tekst test</b> - <b>Tip tekst test</b> - - - - + + To Hasta - + Filter Filtrar - + Advanced filtering Filtrado avanzado - + Type of transaction Tipo de transacción - + Amount from Cantidad desde @@ -332,42 +303,32 @@ Balance - - Test tip 1<br/><br/>line 2 - Test tip 1<br/><br/>line 2 - - - + Unlocked balance Balance desbloqueado - - Test tip 2<br/><br/>line 2 - Test tip 2<br/><br/>line 2 - - - + Send Enviar - + Receive Recibir - + R R - + K K - + History Historial @@ -377,67 +338,67 @@ Testnet - + Address book Libreta de direcciones - + B B - + H H - + Advanced Avanzado - + D D - + Mining Minado - + M M - + Check payment Comprobar pago - + Sign/verify Firmar/verificar - + E E - + S S - + I I - + Settings Opciones @@ -819,10 +780,6 @@ Create view only wallet Crear un monedero de sólo lectura - - Show seed - Mostrar semilla - Manage daemon @@ -994,10 +951,6 @@ Cancel Cancelar - - Wallet mnemonic seed - mnemónico de monedero - @@ -1183,16 +1136,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + Por defecto (comisión x4) {1 ?} + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All Todas - + Sent Enviadas - + Received Recibidas @@ -1204,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Copiar dirección al portapapeles</b> - - <b>Send to same destination</b> - <b>Enviar a la misma destinación</b> - <b>Send to this address</b> @@ -1288,188 +1257,172 @@ Toda - Default (x4 fee) - Por defecto (comisión x4) - - - + No valid address found at this OpenAlias address No se ha encontrado una dirección OpenAlias válida - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Dirección encontrada, pero las firmas DNSSEC no han podido ser verificadas, la dirección puede ser suplantada - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Dirección no válida y las firmas DNSSEC no han podido ser verificadas, la dirección puede ser suplantada - - + + Internal error Error interno - + No address found Dirección no encontrada - + Description <font size='2'>( Optional )</font> Descripción <font size='2'>( Opcional )</font> - + Saved to local wallet history Guardado en el historial del monedero - + Send Enviar - + Show advanced options Mostrar opciones avanzadas - + Sweep Unmixable Barrer no-mezclables - + Create tx file Crear fichero tx - + Sign tx file Firmar fichero tx - + Submit tx file Enviar fichero tx - Rescan spent - Re-escanear gasto - - - - + + Error Error - Error: - Error: - - - + Information Información - Sucessfully rescanned spent outputs - Gastos re-escaneados correctamente - - - - + + Please choose a file Escoja un fichero - + Can't load unsigned transaction: No se puede cargar la transacción no firmada: - + Number of transactions: Número de transacciones: - + Transaction #%1 Transacción #%1 - + Recipient: Receptor: - + payment ID: ID de pago: - + Amount: Cantidad: - + Fee: Comisión: - + Ringsize: Tamaño de ring: - + Confirmation Confirmación - + Can't submit transaction: No se puede enviar la transacción: - + Money sent successfully Dinero enviado satisfactoriamente - - + + Wallet is not connected to daemon. El monedero no está conectado al daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon El daemon conectado no es compatible con la GUI. Por favor, actualice o conéctese a otro daemon - + Waiting on daemon synchronization to finish Esperando a la completa sincronización del daemon @@ -1479,12 +1432,12 @@ Por favor, actualice o conéctese a otro daemon - + Transaction cost Coste de transacción - + Payment ID <font size='2'>( Optional )</font> ID de pago<font size='2'>( Opcional )</font> @@ -1499,57 +1452,57 @@ Por favor, actualice o conéctese a otro daemon Nivel de privacidad (ringsize %1) - + Low (x1 fee) Baja (comisión x1) - + Medium (x20 fee) Media (comisión x20) - + High (x166 fee) Alta (comisión x166) - + Slow (x0.25 fee) - + Default (x1 fee) Por defecto (comisión x4) {1 ?} - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Dirección <font size='2'> ( Pegar o seleccionar de </font> <a href='#'>Libreta de direcciones</a><font size='2'> )</font> - + QR Code Código QR - + Resolve Resolver - + 16 or 64 hexadecimal characters 16 o 64 caracteres hexadecimales diff --git a/translations/monero-core_fi.ts b/translations/monero-core_fi.ts index 04ede751..8b8f173a 100644 --- a/translations/monero-core_fi.ts +++ b/translations/monero-core_fi.ts @@ -14,86 +14,55 @@ Osoite - - <b>Tip tekst test</b> - - - - + QRCODE - + 4... - + Payment ID <font size='2'>(Optional)</font> Maksutunniste <font size='2'>(Valinnainen)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Maksutunniste</b><br/><br/>Uniikki tunniste jota <br/>käytetään osoitekirjassa. Tunnistetta ei lähetetä<br/>siirron mukana - - - + Paste 64 hexadecimal characters - + Description <font size='2'>(Optional)</font> - + Give this entry a name or description - + Add - + Error Virhe - + Invalid address - + Can't create entry - - Description <font size='2'>(Local database)</font> - Kuvaus <font size='2'>(Paikallinen tietokanta)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - - - - ADD - LISÄÄ - - - Payment ID - Maksutunniste - - - Description - Lisätiedot - AddressBookTable @@ -162,17 +131,6 @@ - - DaemonProgress - - Synchronizing blocks %1/%2 - Synkronisoidaan lohkoja %1/%2 - - - Synchronizing blocks - Synkronisoidaan lohkoja - - Dashboard @@ -227,69 +185,39 @@ Suodata tapahtumahistoriaa - - <b>Total amount of selected payments</b> - <b>Valittujen maksujen summa</b> - - - + Type for incremental search... - + Filter - Incremental search - Etsi - - - Search transfers for a given string - Etsi tiettyä merkkijonoa rahansiirroista - - - Type search string - Kirjoita merkkijono - - - + Date from Päiväys - - - - - - <b>Tip tekst test</b> - - - - - + + To Mihin - FILTER - SUODATIN - - - + Advanced filtering ? Lisäsuodatus - + Type of transaction Rahansiirron tyyppi - + Amount from Määrä @@ -376,46 +304,32 @@ Saldo - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Lukitsematon saldo - - Test tip 2<br/><br/>line 2 - - - - + Send Lähetä - + Receive Vastaannota - + R - Verify payment - Varmenna siirto - - - + K - + History Historia @@ -425,81 +339,73 @@ Testnet - + Address book - + B - + H - + Advanced - + D - + Mining - + M - + Check payment - + Sign/verify Allekirjoita/varmenna - + E - + S - + I - + Settings Asetukset MiddlePanel - - Balance: - Saldo: - - - Unlocked Balance: - Lukitsematon saldo: - Balance @@ -665,18 +571,6 @@ PrivacyLevelSmall - - LOW - MATALA - - - MEDIUM - KESKIVERTO - - - HIGH - KORKEA - Low @@ -793,10 +687,6 @@ Amount to receive - - ReadOnly wallet integrated address displayed here - ReadOnly lompakon integroitu osoite - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -832,10 +722,6 @@ Payment ID Maksutunniste - - 16 or 64 hexadecimal characters - 16 tai 64 heksamerkkiä - Generate @@ -890,27 +776,11 @@ Settings - - Click button to show seed - Paina nappia nähdäksesi lompakon avainlause (seed) - - - Mnemonic seed: - Muistintuki (seed): - - - It is very important to write it down as this is the only backup you will need for your wallet. - On tärkeää, että kirjoitat tämän talteen. Tarvitset vain sen palauttaaksesi lompakon. - Create view only wallet - - Show seed - Näytä muistintuki (seed) - Manage daemon @@ -1042,10 +912,6 @@ Cancel Peruuta - - Save - Tallenna - Layout settings @@ -1127,10 +993,6 @@ Manage wallet Hallitse lompakkoa - - Close current wallet and open wizard - Sulje nykyinen lompakko ja avaa asennusvelho - Close wallet @@ -1208,20 +1070,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - - SIGN - ALLEKIRJOITA - Or file: Tai tiedosto: - - SELECT - VALITSE - Filename with message to sign @@ -1245,19 +1099,11 @@ Message to verify Viesti jonka allekirjoituksen haluat vahvistaa - - VERIFY - VAHVISTA - Filename with message to verify Tiedostonimi viestillä jonka haluat vahvistaa - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Allekirjoita osoitteella <font size='2'> ( Kirjoita tai valitse </font> <a href='Address'>Osoitekirjasta</a> - StandardDialog @@ -1291,16 +1137,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1353,18 +1219,6 @@ TickDelegate - - LOW - MATALA - - - MEDIUM - KESKIVERTO - - - HIGH - KORKEA - Normal @@ -1409,196 +1263,196 @@ Rahansiirron prioriteetti - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + No valid address found at this OpenAlias address - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history - + Send Lähetä - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error Virhe - + Information Tietoa - - + + Please choose a file - + Can't load unsigned transaction: - + Number of transactions: Rahansiirtojen lukumäärä: - + Transaction #%1 - + Recipient: - + payment ID: - + Amount: - + Fee: Siirtopalkkio: - + Ringsize: - + Confirmation Hyväksyntä - + Can't submit transaction: - + Money sent successfully - - + + Wallet is not connected to daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Waiting on daemon synchronization to finish @@ -1608,32 +1462,12 @@ Please upgrade or connect to another daemon - or ALL - tai KAIKKI - - - LOW - MATALA - - - MEDIUM - KESKIVERTO - - - HIGH - KORKEA - - - Privacy level - Yksityisyyden taso - - - + Transaction cost Rahansiirron hinta - + Payment ID <font size='2'>( Optional )</font> Maksutunniste <font size='2'>( Valinnainen )</font> @@ -1643,62 +1477,33 @@ Please upgrade or connect to another daemon - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + 16 or 64 hexadecimal characters 16 tai 64 heksamerkkiä - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Kuvaus <font size='2'>( Vaihtoehtoinen kuvaus joka lisätään kyseiseen osoitteeseen osoitekirjassa )</font> - - - SEND - LÄHETÄ - TxKey - - You can verify that a third party made a payment by supplying: - Voit tarkistaa toisen osapuolen suorittaman maksun syöttämällä seuraavat tiedot: - - - - the recipient address, - - vastaannottajan osoite, - - - - the transaction ID, - - rahansiirron tunniste, - - - - the tx secret key supplied by the sender - ? - - rahansiirron salainen avain lähettäjältä - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - Jos maksu koostui useista rahansiirroista, täytyy jokainen tarkistaa erikseen ja laskea yhteen - Verify that a third party made a payment by supplying: @@ -1754,23 +1559,11 @@ Please upgrade or connect to another daemon Check - - Transaction ID here - Rahansiirron tunniste tähän - Transaction key Rahansiirron avain - - Transaction key here - Rahansiirron avain tähän - - - CHECK - TARKISTA - WizardConfigure @@ -1784,10 +1577,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - On tärkeää, että kirjoitat kyseisen muistintuen (seed) talteen. Tarvitset vain sen palauttaaksesi lompakon. Sinulta kysytään sitä seuraavassa ruudussa sen varmistamiseksi, että kirjoitit sanat talteen oikein. - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1824,14 +1613,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - Uusi lompakko on luotu - - - This is the 25 word mnemonic for your wallet - Tämä on 25:n sanan pituinen muistintuki lompakkoosi - Create a new wallet @@ -1892,14 +1673,6 @@ Please upgrade or connect to another daemon Language Kieli - - Account name - Käyttäjänimi - - - Seed - Muistintuki (Seed) - Wallet name @@ -1945,14 +1718,6 @@ Please upgrade or connect to another daemon You’re all set up! - - An overview of your Monero configuration is below: - Alapuolella on katsaus valitsemiisi lompakon asetuksiin: - - - You’re all setup! - Kaikki on valmista! - WizardMain @@ -2000,14 +1765,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Tämä on lompakkosi nimi. Voit vaihtaa sen uuteen nimeen jos haluat: - - - Restore height - Palauta tietystä lohkoketjun pituudesta - Wallet name @@ -2056,10 +1813,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - On tärkeää, että kirjoitat kyseisen muistintuen (seed) talteen. Tarvitset vain sen palauttaaksesi lompakon. Sinulta kysytään sitä seuraavassa ruudussa sen varmistamiseksi, että kirjoitit sanat talteen oikein. - Enter your 25 word mnemonic seed @@ -2103,22 +1856,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) - - This is my first time, I want to create a new account - Tämä on ensimmäinen kertani, haluan luoda uuden käyttäjän - - - I want to recover my account from my 25 word seed - Haluan palauttaa lompakon 25:n sanan muistintuella (seed) - - - I want to open a wallet from file - Haluan avata lompakon tiedostosta - - - Please setup daemon address below. - Valitse palveluprosessin osoite alapuolella. - Testnet @@ -2127,28 +1864,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Nyt kun lompakkosi on luotu, aseta sille salasana - - - Now that your wallet has been restored, please set a password for the wallet - Nyt kun lompakkosi on palautettu, aseta sille salasana - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Huomioi, että tätä salasanaa ei voida palauttaa sen kadottaessa. Jos unohdat salanasasi, joudut palauttamaan lompakon muistintuella (seed), joka sinulle on juuri annettu<br/><br/> - Salasanallasi turvataan lompakko ja vahvistetaan toimia, pidä huolta siitä että salasanasi on tarpeeksi vahva. - - - Password - Salasana - - - Confirm password - Vahvista salasana - @@ -2177,14 +1892,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - We're ready to recover your account - Valmiina palauttamaan käyttäjä - - - Please enter your 25 word private key - Kirjoita 25:n sanan muistintuki (seed) - Restore wallet @@ -2193,10 +1900,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - Tervetuloa - Welcome to Monero! @@ -2229,10 +1932,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: Lompakkoa ei voitu avata: - - Synchronizing blocks %1 / %2 - Synkronisoidaan lohkoja %1 / %2 - Unlocked balance (waiting for block) @@ -2419,10 +2118,6 @@ Kuvaus: This address received %1 monero, but the transaction is not yet mined Tähän osoitteeseen on saapunut %1 Moneroa, mutta rahansiirtoa ei ole vielä lisätty lohkoon - - This address received %1 monero, with %2 confirmations - Tähän osoitteeseen on saapunut %1 Moneroa, vahvistuksien määrä: %2 - This address received nothing diff --git a/translations/monero-core_fr.ts b/translations/monero-core_fr.ts index aac46de6..9b3d91d9 100644 --- a/translations/monero-core_fr.ts +++ b/translations/monero-core_fr.ts @@ -14,86 +14,55 @@ Adresse - - <b>Tip tekst test</b> - - - - + QRCODE CODE QR - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> ID de paiement <font size='2'>(Facultatif)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>ID de paiement</b><br/><br/>un nom d'utilisateur unique utilisé dans<br/>le carnet d'adresses. Ce n'est pas un<br/>transfert d'information envoyé<br/>pendant le transfert - - - + Paste 64 hexadecimal characters Coller 64 caractères hexadécimaux - + Description <font size='2'>(Optional)</font> Description <font size='2'>(Facultatif)</font> - + Add Ajouter - + Error Erreur - + Invalid address Adresse invalide - + Can't create entry Impossible de créer l'entrée - Description <font size='2'>(Local database)</font> - Description <font size='2'>(base de données locale)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Donner un nom ou une description pour cette entrée - - ADD - AJOUTER - - - Payment ID - ID de paiement - - - Description - Description - AddressBookTable @@ -146,26 +115,6 @@ DaemonManagerDialog - - Daemon doesn't appear to be running - Le démon semble ne pas être démarré - - - Start daemon - Démarrer démon - - - Cancel - Annuler - - - Daemon startup flags - Options de démarrage - - - (optional) - (facultatif) - Starting Monero daemon in %1 seconds @@ -182,17 +131,6 @@ Paramètres personnalisés - - DaemonProgress - - Synchronizing blocks %1/%2 - Synchronisation des blocs %1/%2 - - - Synchronizing blocks - Synchronisation des blocs - - Dashboard @@ -247,68 +185,38 @@ Filtrer l'historique des transactions - - <b>Total amount of selected payments</b> - <b>Montant total des paiements séléctionnés</b> - - - Incremental search - Recherche incrémentale - - - Search transfers for a given string - Chercher une chaîne de caractères dans les transferts - - - Type search string - Entrez la chaîne de caractères à chercher - - - + Type for incremental search... Entrez du texte pour la recherche incrémentale... - + Date from Date du - - - - - - <b>Tip tekst test</b> - - - - - + + To Au - + Filter Filtrer - FILTER - FILTRER - - - + Advanced filtering Filtrage avancé - + Type of transaction Type de transaction - + Amount from Montant à partir de @@ -395,50 +303,32 @@ Solde - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Solde débloqué - - Test tip 2<br/><br/>line 2 - - - - + Send Envoyer - T - T - - - + Receive Recevoir - + R R - Verify payment - Vérifier paiement - - - + K K - + History Historique @@ -448,77 +338,73 @@ Testnet - + Address book Carnet d'adresses - + B B - + H H - + Advanced Avancé - + D D - + Mining Mine - + M M - + Check payment Vérifier paiement - + Sign/verify Signer/vérifier - + E E - + S S - + I I - + Settings Réglages MiddlePanel - - Balance: - Solde : - Balance @@ -529,10 +415,6 @@ Unlocked Balance Solde Débloqué - - Unlocked Balance: - Solde débloqué : - Mining @@ -546,26 +428,6 @@ (only available for local daemons) (disponible uniquement pour les démons locaux) - - Mining helps the Monero network build resilience.<br> - L'extraction minière aide le réseau Monero à augmenter sa robustesse.<br> - - - The more mining is done, the harder it is to attack the network.<br> - Plus il y en a, plus il est difficile d'attaquer le réseau.<br> - - - Mining also gives you a small chance to earn some Monero.<br> - La mine vous donne aussi une petite chance de gagner des Moneros.<br> - - - Your computer will search for Monero block solutions.<br> - Votre ordinateur va chercher des solutions de bloc Monero.<br> - - - If you find a block, you will get the associated reward.<br> - Si vous trouvez un bloc, vous obtiendrez la récompense associée.<br> - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -708,18 +570,6 @@ PrivacyLevelSmall - - LOW - BAS - - - MEDIUM - MOYEN - - - HIGH - HAUT - Low @@ -738,10 +588,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - Synchronisation des blocs %1/%2 - Establishing connection... @@ -840,10 +686,6 @@ Amount to receive Montant à recevoir - - ReadOnly wallet integrated address displayed here - Adresse intégrée du portefeuille LectureSeule affichée ici - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -879,10 +721,6 @@ Payment ID ID de paiement - - 16 or 64 hexadecimal characters - 16 ou 64 caractères hexadécimaux - Generate @@ -937,35 +775,11 @@ Settings - - Click button to show seed - Cliquez sur le bouton pour afficher la graine - - - Mnemonic seed: - Graine mnémonique : - - - It is very important to write it down as this is the only backup you will need for your wallet. - Il est très important de l'écrire sur papier car c'est la seule sauvegarde dont vous aurez besoin pour votre portefeuille. - - - View only wallets doesn't have a mnemonic seed - Les portefeuilles en vue seule n'ont pas de graine mnémonique - Create view only wallet Créer portefeuille d'audit - - This is very important to write down and keep secret. It is all you need to restore your wallet. - Il est très important de l'écrire sur papier et de le garder secret. C'est tout ce dont vous aurez besoin pour restaurer votre portefeuille. - - - Show seed - Montrer graine - Manage daemon @@ -981,14 +795,6 @@ Stop daemon Arrêter démon - - Show log - Montrer le journal - - - Status - Statut - Show status @@ -1100,10 +906,6 @@ Cancel Annuler - - Save - Sauvegarder - Connect @@ -1149,10 +951,6 @@ Daemon log Journal du démon - - Wallet mnemonic seed - Graine mnémonique du portefeuille - @@ -1194,10 +992,6 @@ Manage wallet Gérer le portefeuille - - Close current wallet and open wizard - Fermer le portefeuille courant et ouvrir l'assistant - Close wallet @@ -1270,20 +1064,12 @@ Please choose a file to verify Veuillez choisir un fichier à vérifier - - SIGN - SIGNER - Or file: Ou un fichier : - - SELECT - SÉLECTIONNER - Filename with message to sign @@ -1307,10 +1093,6 @@ Message to verify Message à vérifier - - VERIFY - VÉRIFIER - Filename with message to verify @@ -1321,10 +1103,6 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse du signataire <font size='2'> ( Collez ou sélectionnez dans le </font> <a href='#'>Carnet d'adresses</a><font size='2'> )</font> - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse du signataire <font size='2'> ( Entrez ou sélectionnez dans le </font> <a href='#'>Carnet d'adresses</a><font size='2'> )</font> - StandardDialog @@ -1358,16 +1136,36 @@ + Slow (x0.25 fee) + Lent (frais x0.25) + + + + Default (x1 fee) + Par défaut (frais x1) + + + + Fast (x5 fee) + Rapide (frais x5) + + + + Fastest (x41.5 fee) + Très rapide (frais x41.5) + + + All Tout - + Sent Envoyé - + Received Reçu @@ -1379,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Copier l'adresse dans le presse-papiers</b> - - <b>Send to same destination</b> - <b>Envoyer à cette destination</b> - <b>Send to this address</b> @@ -1424,22 +1218,6 @@ TickDelegate - - LOW - BAS - - - NORMAL - NORMAL - - - MEDIUM - MOYEN - - - HIGH - HAUT - Normal @@ -1463,10 +1241,6 @@ OpenAlias error Erreur OpenAlias - - Privacy level (ring size %1) - Niveau de confidentialité (taille du cercle %1) - Amount @@ -1477,34 +1251,6 @@ Transaction priority Priorité de transaction - - ALL - TOUT - - - LOW (x1 fee) - BAS (frais x1) - - - MEDIUM (x20 fee) - MOYEN (frais x20) - - - HIGH (x166 fee) - HAUT (frais x166) - - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse <font size='2'> ( Collez ou sélectionnez dans le </font> <a href='#'>Carnet d'adresses</a><font size='2'> )</font> - - - QRCODE - CODE QR - - - RESOLVE - RÉSOUDRE - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Start daemon</a><font size='2'>)</font> @@ -1515,258 +1261,228 @@ Privacy level (ringsize %1) Niveau de confidentialité (taille du cercle %1) - - all - tout - All Tout - + Low (x1 fee) Bas (frais x1) - + Medium (x20 fee) Moyen (frais x20) - + High (x166 fee) Haut (frais x166) - + Slow (x0.25 fee) Lent (frais x0.25) - + Default (x1 fee) Par défaut (frais x1) - + Fast (x5 fee) Rapide (frais x5) - + Fastest (x41.5 fee) Très rapide (frais x41.5) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse <font size='2'> ( Collez ou sélectionnez dans le </font> <a href='#'>Carnet d'adresses</a><font size='2'> )</font> - + QR Code Code QR - + Resolve Résoudre - + No valid address found at this OpenAlias address Pas d'adresse valide trouvée à cette adresse OpenAlias - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Adresse trouvée, mais les signatures DNSSEC n'ont pas pu être vérifiées, donc cette adresse pourrait avoit été falsifiée - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Pas d'adresse valide trouvée à cette adresse OpenAlias, mais les signatures DNSSEC n'ont pas pu être vérifiées, donc ceci pourrait être avoir été falsifié - - + + Internal error Erreur interne - + No address found Pas d'adresse trouvée - + Description <font size='2'>( Optional )</font> Description <font size='2'>( Facultatif )</font> - + Saved to local wallet history Enregistré dans l'historique du portefeuille local - + Send Envoyer - + Show advanced options Options avancées - + Sweep Unmixable Non Mélangeables - + Create tx file Créer fichier tx - + Sign tx file Signer fichier tx - + Submit tx file Soumettre fichier tx - sign tx file - signer fichier tx - - - submit tx file - Soumettre fichier tx - - - Rescan spent - Rescanner dépenses - - - - + + Error Erreur - Error: - Erreur : - - - + Information Information - Sucessfully rescanned spent outputs - Les sorties dépensées ont été rescannées avec succès - - - - + + Please choose a file Veuillez choisir un fichier - + Can't load unsigned transaction: Impossible de charger une transaction non signée : - + Number of transactions: Nombre de transactions : - + Transaction #%1 Transaction #%1 - + Recipient: Destinataire : - + payment ID: identifiant de paiement : - + Amount: Montant : - + Fee: Frais : - + Ringsize: Taille du cercle : - -Ring size: - -Taille du cercle : - - - + Confirmation Confirmation - + Can't submit transaction: Impossible de soumettre la transaction : - + Money sent successfully Argent envoyé avec succès - - + + Wallet is not connected to daemon. Le portefeuille n'est pas connecté au démon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon Le démon connecté n'est pas compatible avec l'interface graphique. Veuillez mettre à jour ou vous connecter à un autre démon - + Waiting on daemon synchronization to finish Attente de la fin de la synchronisation avec le démon @@ -1776,83 +1492,23 @@ Veuillez mettre à jour ou vous connecter à un autre démon - or ALL - ou TOUT - - - LOW - BAS - - - MEDIUM - MOYEN - - - HIGH - HAUT - - - Privacy level - Niveau de confidentialité - - - + Transaction cost Coût de transaction - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adresse <font size='2'> ( Entrez ou sélectionnez dans le </font> <a href='#'>Carnet d'adresses</a><font size='2'> )</font> - - - + Payment ID <font size='2'>( Optional )</font> ID de paiement <font size='2'>( Facultatif )</font> - + 16 or 64 hexadecimal characters 16 ou 64 caractères hexadécimaux - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Description <font size='2'>( Une description facultative qui sera sauvegardée dans le carnet d'adresses local )</font> - - - SEND - ENVOYER - - - Advanced - Avancé - - - SWEEP UNMIXABLE - NON MÉLANGEABLES - TxKey - - You can verify that a third party made a payment by supplying: - Vous pouvez vérifier qu'un tiers a effectué un paiement en fournissant : - - - - the recipient address, - - l'adresse du destinataire, - - - - the transaction ID, - - l'identifiant de la transaction, - - - - the tx secret key supplied by the sender - - la clé secrète de transaction fournie par le payeur - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - Si un paiement est constitué de plusieurs transactions, chaque transaction doit être vérifiée, et les résultats ajoutés - Verify that a third party made a payment by supplying: @@ -1908,23 +1564,11 @@ Veuillez mettre à jour ou vous connecter à un autre démon Check Vérifier - - Transaction ID here - ID de transaction ici - Transaction key Clé de transaction - - Transaction key here - Clé de transaction ici - - - CHECK - VÉRIFIER - WizardConfigure @@ -1938,10 +1582,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon Kickstart the Monero blockchain? Démarrer la chaîne de blocs Monero ? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Il est très important de l'écrire sur papier car c'est la seule sauvegarde dont vous aurez besoin pour votre portefeuille. Il vous sera demandé de confirmer la graine dans l'écran suivant afin de s'assurer qu'elle a été copiée correctement. - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1978,23 +1618,11 @@ Veuillez mettre à jour ou vous connecter à un autre démon WizardCreateWallet - - A new wallet has been created for you - Un nouveau portefeuille a été créé pour vous - - - This is the 25 word mnemonic for your wallet - Voici le mnémonique de 25 mots pour votre portefeuille - Create a new wallet Créer un nouveau portefeuille - - Here is your wallet's 25 word mnemonic seed - Voici la graine mnémonique de 25 mots pour votre portefeuille - WizardDonation @@ -2050,14 +1678,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon Language Langue - - Account name - Nom du compte - - - Seed - Graine - Wallet name @@ -2103,14 +1723,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon You’re all set up! Vous êtes paré ! - - An overview of your Monero configuration is below: - Un aperçu de votre configuration Monero se trouve ci-dessous : - - - You’re all setup! - Vous êtes paré ! - WizardMain @@ -2159,14 +1771,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Ceci est le nom de votre portefeuille. Vous pouvez le changer si vous voulez : - - - Restore height - Hauteur de restoration - Wallet name @@ -2215,10 +1819,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Il est très important de l'écrire sur papier car c'est la seule sauvegarde dont vous aurez besoin pour votre portefeuille. Il vous sera demandé de confirmer la graine dans l'écran suivant afin de s'assurer qu'elle a été copiée correctement. - Enter your 25 word mnemonic seed @@ -2262,22 +1862,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon Custom daemon address (optional) Adresse de démon personnalisée (facultatif) - - This is my first time, I want to create a new account - C'est ma première fois, je veux créer un nouveau compte - - - I want to recover my account from my 25 word seed - Je veux récupérer mon compte à partir de la graine de 25 mots - - - I want to open a wallet from file - Je veux ouvrir un fichier portefeuille - - - Please setup daemon address below. - Veuillez configurer l'adresse du démon ci-dessous. - Testnet @@ -2286,28 +1870,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Maintenant que votre portefeuille a été créé, veuillez choisir un mot de passe pour le portefeuille - - - Now that your wallet has been restored, please set a password for the wallet - Maintenant que votre portefeuille a été restauré, veuillez choisir un mot de passe pour le portefeuille - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Notez que ce mot de passe ne pourra pas être restauré, et si vous l'oubliez vous devrez restaurer votre portefeuille avec la graine mnémonique qui vous a juste été donnée<br/><br/> - Votre mot de passe sera utilisé pour protéger votre portefeuille et pour confirmer certaines actions, donc assurez-vous que votre mot de passe soit suffisamment sûr. - - - Password - Mot de passe - - - Confirm password - Confirmer le mot de passe - @@ -2321,12 +1883,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon <br>Note : ce mot de passe ne pourra pas être recupéré. Si vous l'oubliez vous devrez restaurer votre portefeuille avec sa graine mnémonique de 25 mots.<br/><br/> <b>Entez un mot de passe fort</b> (utilisant des lettres, chiffres, et/ou symboles) : - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - Note : ce mot de passe ne pourra pas être recupéré. Si vous l'oubliez vous devrez restaurer votre portefeuille avec sa graine mnémonique de 25 mots.<br/><br/> - <b>Entez un mot de passe fort</b> (utilisant des lettres, chiffres, et/ou symbols) : - WizardPasswordUI @@ -2343,30 +1899,14 @@ Veuillez mettre à jour ou vous connecter à un autre démon WizardRecoveryWallet - - We're ready to recover your account - Nous sommes prêts à restorer votre compte - - - Please enter your 25 word private key - Veuillez entrer votre clé privée de 25 mots - Restore wallet Restaurer un portefeuille - - Enter your 25 word mnemonic seed: - Entrez votre graine mnémonique de 25 mots : - WizardWelcome - - Welcome - Bienvenue - Welcome to Monero! @@ -2399,10 +1939,6 @@ Veuillez mettre à jour ou vous connecter à un autre démon Couldn't open wallet: Impossible d'ouvrir le portefeuille : - - Synchronizing blocks %1 / %2 - Synchronisation des blocs %1 / %2 - Unlocked balance (~%1 min) @@ -2530,27 +2066,11 @@ Taille du cercle : New version of monero-wallet-gui is available: %1<br>%2 Une nouvelle version de monero-wallet-gui est disponible : %1<br>%2 - - - -Ring size: - - -Taille du cercle : - This address received %1 monero, with %2 confirmation(s). Cette adresse a reçu %1 monero, avec %2 confirmation(s). - - - -Mixin: - - -Mixin : - @@ -2607,10 +2127,6 @@ Description : This address received %1 monero, but the transaction is not yet mined Cette adresse a reçu %1 monero, mais la transaction n'a pas encore été incluse dans un bloc - - This address received %1 monero, with %2 confirmations - Cette adresse a reçu %1 monero, avec %2 confirmations - This address received nothing diff --git a/translations/monero-core_he.ts b/translations/monero-core_he.ts new file mode 100644 index 00000000..bc08d924 --- /dev/null +++ b/translations/monero-core_he.ts @@ -0,0 +1,2175 @@ + + + + + + AddressBook + + + Add new entry + הוסף רשומה חדשה + + + + Address + כתובת + + + + <b>Tip tekst test</b> + + + + + QRCODE + קוד QR + + + + 4... + 4... + + + + Payment ID <font size='2'>(Optional)</font> + מזהה תשלום <font size='2'>(אופציונלי)</font> + + + + <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer + + + + + Paste 64 hexadecimal characters + הדבק 64 תווים הקסדצימלים + + + + Description <font size='2'>(Optional)</font> + תיאור <font size='2'>(אופציונלי)</font> + + + + Give this entry a name or description + תן לכתובת זו שם או תיאור + + + + Add + הוסף + + + + Error + שגיאה + + + + Invalid address + כתובת לא תקנית + + + + Can't create entry + לא ניתן ליצור רשומה + + + + <b>Tip test test</b><br/><br/>test line 2 + + + + + AddressBookTable + + + No more results + אין תוצאות נוספות + + + + Payment ID: + מזהה תשלום: + + + + BasicPanel + + + Locked Balance: + יתרה נעולה: + + + + 78.9239845 + 78.9239845 + + + + Available Balance: + יתרה זמינה: + + + + 2324.9239845 + 2324.9239845 + + + + DaemonConsole + + + Close + סגור + + + + command + enter (e.g help) + פקודה + אנטר (למשל help) + + + + DaemonManagerDialog + + + Starting Monero daemon in %1 seconds + מפעיל את מסנכרן הרשת עוד %1 שניות + + + + Start daemon (%1) + התחל סנכרון (%1) + + + + Use custom settings + השתמש בהגדרות מותאמות + + + + Dashboard + + + Quick transfer + העברה מהירה + + + + SEND + שלח + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> looking for security level and address book? go to <a href='#'>Transfer</a> tab + + + + + DashboardTable + + + No more results + אין עוד תוצאות + + + + Date + תאריך + + + + Balance + יתרה + + + + Amount + סכום + + + + History + + + selected: + נבחרו: + + + + Filter transaction history + סנן היסטוריית עסקאות + + + + <b>Total amount of selected payments</b> + <b>סכום כולל של תשלומים מסומנים</b> + + + + Type for incremental search... + הקלד לחיפוש... + + + + Filter + סנן + + + + Date from + החל מתאריך + + + + + + + + <b>Tip tekst test</b> + + + + + + To + עד + + + + Advanced filtering + סינון מתקדם + + + + Type of transaction + סוג העברה + + + + Amount from + החל מסכום + + + + HistoryTable + + + Tx ID: + מזהה העברה (Tx ID): + + + + + Payment ID: + מזהה תשלום (Payment ID) + + + + Tx key: + מפתח העברה (Tx key): + + + + Tx note: + הערות העברה + + + + Destinations: + יעדים: + + + + No more results + אין תוצאות נוספות + + + + Details + פרטים + + + + BlockHeight: + גובה בלוק: + + + + (%1/10 confirmations) + (%1/10 אישורים) + + + + UNCONFIRMED + ממתין לאישור + + + + PENDING + ממתין להישלח + + + + Date + תאריך + + + + Amount + סכום + + + + Fee + עמלה + + + + LeftPanel + + + Balance + יתרה + + + + Test tip 1<br/><br/>line 2 + + + + + Unlocked balance + יתרה זמינה + + + + Test tip 2<br/><br/>line 2 + + + + + Send + שלח + + + + Receive + קבל + + + + R + + + + + K + + + + + History + היסטוריה + + + + Testnet + + + + + Address book + ספר כתובות + + + + B + + + + + H + + + + + Advanced + מתקדם + + + + D + + + + + Mining + כרייה + + + + M + + + + + Check payment + בדוק תשלום + + + + Sign/verify + חתום/וודא + + + + E + + + + + S + + + + + I + + + + + Settings + הגדרות + + + + MiddlePanel + + + Balance + יתרה + + + + Unlocked Balance + יתרה זמינה + + + + Mining + + + Solo mining + כרייה באופן עצמאי + + + + (only available for local daemons) + (אפשרי רק עבור מסנכרן רשת לוקאלי שנמצא על מחשב זה) + + + + Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! + כרייה מאבטחת את רשת מונרו. ככל שיותר אנשים יכרו, הקושי לתקוף את הרשת גדל.<br> <br>בנוסף, כרייה נותנת סיכוי קטן לזכות במונרו. המחשב שלך ינסה ליצור את הבלוק הבא בשרשרת, ואם תצליח תזכה. בהצלחה! + + + + CPU threads + תהליכונים (ת'רדים) + + + + (optional) + (אופציונלי) + + + + Background mining (experimental) + כרייה ברקע (נסיוני) + + + + Enable mining when running on battery + אפשר כרייה כאשר המחשב פועל על בטרייה + + + + Manage miner + נהל את תהליך הכרייה + + + + Start mining + התחל כרייה + + + + Error starting mining + שגיאה בניסיון כרייה + + + + Couldn't start mining.<br> + לא ניתן להתחיל תהליך כרייה.<br> + + + + Mining is only available on local daemons. Run a local daemon to be able to mine.<br> + כרייה אפשרית רק עם מסנכרן רשת לוקאלי. הרץ מסנכרן רשת על מחשב זה על מנת להתחיל כרייה.<br> + + + + Stop mining + הפסק כרייה + + + + Status: not mining + סטטוס: לא כורה + + + + Mining at %1 H/s + כורה בקצב %1 H/s + + + + Not mining + לא כורה + + + + Status: + סטטוס: + + + + MobileHeader + + + Unlocked Balance: + יתרה ניתנת לשימוש: + + + + NetworkStatusItem + + + Synchronizing + מסתנכרן + + + + Connected + מחובר + + + + Wrong version + גרסה שגויה + + + + Disconnected + מנותק + + + + Invalid connection status + סטטוס חיבור לא תקין + + + + Network status + סטטוס רשת + + + + PasswordDialog + + + Please enter wallet password + אנא הכנס סיסמת ארנק + + + + Please enter wallet password for:<br> + אנא הכנס סיסמת ארנק עבור:<br> + + + + Cancel + ביטול + + + + Ok + אישור + + + + PrivacyLevelSmall + + + Low + נמוך + + + + Medium + בינוני + + + + High + גבוה + + + + ProgressBar + + + Establishing connection... + יוצר חיבור... + + + + Blocks remaining: %1 + בלוקים שנותרו: %1 + + + + Synchronizing blocks + מסנכרן בלוקים + + + + Receive + + + Invalid payment ID + מזהה תשלום לא תקין + + + + WARNING: no connection to daemon + אזהרה: אין חיבור למסנכרן רשת + + + + in the txpool: %1 + העברה נשלחה: %1 + + + + %2 confirmations: %3 (%1) + %2 אישורים: %3 (%1) + + + + 1 confirmation: %2 (%1) + אישור אחד: %2 (%1) + + + + No transaction found yet... + עוד לא נמצאה העברה... + + + + Transaction found + העברה נמצאה + + + + %1 transactions found + %1 עסקאות נמצאו + + + + with more money (%1) + עם סכום גבוה יותר (%1) + + + + with not enough money (%1) + עם סכום נמוך יותר (%1) + + + + Address + כתובת + + + + ReadOnly wallet address displayed here + הכתובת המוצגת שייכת לארנק לקריאה בלבד + + + + 16 hexadecimal characters + 16 תווים הקסדצימלים + + + + Clear + נקה + + + + Integrated address + כתובת משולבת (עם מזהה תשלום) + + + + Amount to receive + סכום לקבלה + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> מעקב <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> + + + + Tracking payments + מעקב אחר תשלומים + + + + <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> + <p><font size='+2'>זהו כלי פשוט למעקב אחר מכירות:</font></p><p>לחץ על 'צור' על מנת ליצור מזהה תשלום אקראי עבור לקוח חדש</p> <p>הצג קוד QR זה ללקוח על מנת שיסרוק אותו ויבצע תשלום (אם ללקוח יש תוכנה מתאימה לסריקת קוד QR)</p><p>דף זה סורק את הרשת עבור עסקאות המשויכות לקוד QR המוצג. אם בנוסף יוכנס סכום, הסריקה מוודאת שהעסקאות המתאימות אכן כוללות את מלוא הסכום.</p>זו החלטתך האם לקבל עסקאות שעוד לא אושרו. סביר שהן יאושרו תוך זמן קצר, אך עדיין קיימת אפשרות שלא. לכן עבור סכומים גדולים מומלץ להמתין עד לקבלת אישור אחד או יותר.</p> + + + + Save QrCode + שמור קוד QR + + + + Failed to save QrCode to + נכשל לשמור קוד QR אל + + + + Save As + שמור בשם + + + + Payment ID + מזהה תשלום + + + + Generate + צור + + + + Generate payment ID for integrated address + צור מזהה תשלום עבור כתובת משולבת + + + + Amount + סכום + + + + RightPanel + + + Twitter + טוויטר + + + + News + חדשות + + + + Help + עזרה + + + + About + אודות + + + + SearchInput + + + Search by... + חפש לפי... + + + + SEARCH + חפש + + + + Settings + + + Create view only wallet + צור ארנק לצפייה בלבד + + + + Manage daemon + נהל את מסנכרן הרשת + + + + Start daemon + התחל סנכרון + + + + Stop daemon + עצור סנכרון + + + + Show status + הצג סטטוס + + + + Daemon startup flags + פרמטרים להפעלה + + + + + (optional) + (אופציונלי) + + + + Show seed & keys + הצג משפט סודי ומפתחות + + + + Rescan wallet balance + סרוק מחדש יתרת ארנק + + + + Error: + שגיאה: + + + + Information + מידע + + + + Sucessfully rescanned spent outputs + סריקה מחדש של הוצאות הסתיימה בהצלחה + + + + Blockchain location + מיקום בסיס נתונים + + + + Daemon address + כתובת מסנכרן + + + + Hostname / IP + שם מחשב / IP + + + + Port + פורט + + + + Login (optional) + התחברות (אופציונלי) + + + + Username + שם משתמש + + + + Password + סיסמה + + + + Connect + התחבר + + + + Layout settings + הגדרות מראה + + + + Custom decorations + עיצובים מיוחדים + + + + Log level + רמת פירוט יומן סנכרון + + + + (e.g. *:WARNING,net.p2p:DEBUG) + (למשל *:WARNING,net.p2p:DEBUG) + + + + Version + גרסה + + + + GUI version: + גרסת ממשק גרפי: + + + + Embedded Monero version: + גרסת מונרו: + + + + Daemon log + יומן סנכרון + + + + Please choose a folder + אנא בחר תיקייה + + + + Warning + אזהרה + + + + Error: Filesystem is read only + שגיאה: מערכת הקבצים היא לקריאה בלבד + + + + Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. + אזהרה: נותרו רק %1 GB על ההתקן. בסיס הנתונים דורש ~%2 GB של מידע + + + + Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. + שים לב: נותרו רק %1 GB על ההתקן. בסיס הנתונים דורש ~%2 GB של מידע + + + + Note: lmdb folder not found. A new folder will be created. + שים לב: התיקייה lmdb לא נמצאה(בסיס הנתונים). יוצר תיקייה חדשה. + + + + Cancel + בטל + + + + + Error + שגיאה + + + + Wallet seed & keys + משפט סודי ומפתחות + + + + Secret view key + מפתח צפייה סודי + + + + Public view key + מפתח צפייה ציבורי + + + + Secret spend key + מפתח שימוש סודי + + + + Public spend key + מפתח שימוש ציבורי + + + + Wrong password + סיסמה שגויה + + + + Manage wallet + נהל ארנק + + + + Close wallet + סגור ארנק + + + + Sign + + + Good signature + חתימה נכונה + + + + This is a good signature + זוהי חתימה נכונה + + + + Bad signature + חתימה שגויה + + + + This signature did not verify + חתימה זו לא עברה את תהליך הוידוא + + + + Sign a message or file contents with your address: + חתום על הודעה או קובץ עם הכתובת שלך + + + + + Either message: + הודעה: + + + + Message to sign + ההודעה לחתום + + + + + Sign + חתום + + + + Please choose a file to sign + אנא בחר קובץ לחתום + + + + + Select + בחר + + + + + Verify + וודא + + + + Please choose a file to verify + אנא בחר קובץ לוודא + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> הכתובת החותמת <font size='2'> ( הדבק או בחר מ </font> <a href='#'>ספר כתובות</a><font size='2'> )</font> + + + + + Or file: + או קובץ: + + + + Filename with message to sign + שם קובץ עם הודעה לחתימה + + + + + + + Signature + חתימה + + + + Verify a message or file signature from an address: + וודא חתימת הודעה או קובץ ע"י כתובת: + + + + Message to verify + הודעה לוידוא + + + + Filename with message to verify + שם קובץ עם הודעה לוידוא + + + + StandardDialog + + + Ok + אישור + + + + Cancel + ביטול + + + + StandardDropdown + + + Low (x1 fee) + נמוך (עמלה x1) + + + + Medium (x20 fee) + בינוני (עמלה x20) + + + + High (x166 fee) + גבוה (עמלה x166) + + + + All + הכל + + + + Sent + נשלח + + + + Received + התקבל + + + + TableDropdown + + + <b>Copy address to clipboard</b> + <b>העתק כתובת</b> + + + + <b>Send to this address</b> + <b>שלח לכתובת זו</b> + + + + <b>Find similar transactions</b> + <b>מצא עסקאות דומות</b> + + + + <b>Remove from address book</b> + <b>הסר מרשימת הכתובות</b> + + + + TableHeader + + + Payment ID + מזהה תשלום + + + + Date + תאריך + + + + Block height + גובה בלוק + + + + Amount + סכום + + + + TickDelegate + + + Normal + רגיל + + + + Medium + בינוני + + + + High + גבוה + + + + Transfer + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Start daemon</a><font size='2'>)</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>התחל סנכרון</a><font size='2'>)</font> + + + + OpenAlias error + שגיאה בתרגום שם + + + + Privacy level (ringsize %1) + רמת פרטיות (מספר שולחים פוטנציאלים %1) + + + + Amount + סכום + + + + Transaction priority + עדיפות העברה + + + + All + הכל + + + + Low (x1 fee) + נמוכה (עמלה x1) + + + + Medium (x20 fee) + בינונית (עמלה x20) + + + + High (x166 fee) + גבוהה (עמלה x166) + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> כתובת <font size='2'> ( הדבק או בחר מ </font> <a href='#'>ספר כתובות</a><font size='2'> )</font> + + + + QR Code + קוד QR + + + + Resolve + תרגם + + + + No valid address found at this OpenAlias address + לא נמצאה כתובת חוקית עבור שם זה + + + + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed + כתובת נמצאה, אך לא ניתן לוודא את החתימה. ייתכן שכתובת זו אינה נכונה/זדונית + + + + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed + לא נמצאה כתובת חוקית עבור שם זה + + + + + Internal error + שגיאה פנימית + + + + No address found + לא נמצאה כתובת + + + + Description <font size='2'>( Optional )</font> + תיאור <font size='2'>( אופציונלי )</font> + + + + Saved to local wallet history + נשמר בהיסטוריית הארנק + + + + Send + שלח + + + + Show advanced options + הצג הגדרות מתקדמות + + + + Sweep Unmixable + איחוד יתרות שאינן ניתנות לשימוש + + + + Create tx file + ייצא העברה אל קובץ + + + + Sign tx file + חתום על העברה מקובץ + + + + Submit tx file + בצע העברה מקובץ + + + + + Error + שגיאה + + + + Information + מידע + + + + + Please choose a file + אנא בחר קובץ + + + + Can't load unsigned transaction: + לא ניתן לטעון עסקאות לא חתומות + + + + +Number of transactions: + מספר עסקאות: + + + + +Transaction #%1 + העברה #%1 + + + + +Recipient: + נמען (מקבל) + + + + +payment ID: + מזהה תשלום + + + + +Amount: + סכום: + + + + +Fee: + +עמלה: + + + + +Ringsize: + +מספר שולחים פוטנציאלים (גודל חוג): + + + + Confirmation + אישור + + + + Can't submit transaction: + העברה נכשלה: + + + + Money sent successfully + כסף נשלח בהצלחה + + + + + Wallet is not connected to daemon. + הארנק אינו מחובר למסנכרן רשת + + + + Connected daemon is not compatible with GUI. +Please upgrade or connect to another daemon + מסנכרן הרשת המחובר אינו מתאים לגרסה של ממשק גרפי זה. +אנא עדכן את המסנכרן או התחבר למסנכרן אחר + + + + Waiting on daemon synchronization to finish + ממתין לסנכרון הרשת להסתיים + + + + + + + + + Transaction cost + עלות העברה + + + + Payment ID <font size='2'>( Optional )</font> + מזהה תשלום <font size='2'>( אופציונלי )</font> + + + + Slow (x0.25 fee) + איטי (עמלה x0.25) + + + + Default (x1 fee) + ברירת מחדל (עמלה x1) + + + + Fast (x5 fee) + מהיר (עמלה x5) + + + + Fastest (x41.5 fee) + הכי מהיר (עמלה x41.5) + + + + 16 or 64 hexadecimal characters + 16 או 64 תווים הקסדצימלים + + + + TxKey + + + Verify that a third party made a payment by supplying: + וודא שגורם כלשהו ביצע תשלום. יש לספק: + + + + - the recipient address + - כתובת הנמען (המקבל) + + + + - the transaction ID + - קוד זיהוי העברה + + + + - the secret transaction key supplied by the sender + - מפתח ההעברה הסודי שסופק ע"י השולח + + + + If a payment had several transactions then each must be checked and the results combined. + אם בתשלום היו מספר עסקאות, יש לוודא כל אחת מהעסקאות + + + + Address + כתובת + + + + Recipient's wallet address + כתובת הנמען (המקבל) + + + + Transaction ID + מזהה העברה + + + + Paste tx ID + הדבק מזהה העברה + + + + Paste tx key + הדבק מפתח העברה + + + + Check + בדוק + + + + Transaction key + מפתח העברה + + + + WizardConfigure + + + We’re almost there - let’s just configure some Monero preferences + כמעט סיימנו - נותר להגדיר מספר דברים אחרונים + + + + Kickstart the Monero blockchain? + + + + + It is very important to write it down as this is the only backup you will need for your wallet. + חשוב מאוד לרשום זאת כי זהו הגיבוי היחיד שצריך בשביל הארנק + + + + Enable disk conservation mode? + הפעל מצב חסכון בשטח אחסון? + + + + Disk conservation mode uses substantially less disk-space, but the same amount of bandwidth as a regular Monero instance. However, storing the full blockchain is beneficial to the security of the Monero network. If you are on a device with limited disk space, then this option is appropriate for you. + מצב חסכון בשטח אחסון משתמש בפחות מקום בשטח דיסק אך באותו נפח של תעבורת רשת. אולם, שמירת עותק של כל בסיס הנתונים תורם לבטיחות של הרשת כולה. אם אתה משתמש במכשיר עם שטח אחסון קטן, אפשרות זו מתאימה עבורך. + + + + Allow background mining? + לאפשר כרייה ברקע? + + + + Mining secures the Monero network, and also pays a small reward for the work done. This option will let Monero mine when your computer is on mains power and is idle. It will stop mining when you continue working. + כרייה מאבטחת את רשת מונרו ובנוסף מתגמלת בפרס קטן על העבודה. אופציה זו מאפשרת למונרו לכרות כאשר המחשב מחובר לחשמל ואינו פעיל. הכרייה מפסיקה כאשר המחשב חוזר לפעולה. + + + + WizardCreateViewOnlyWallet + + + Create view only wallet + צור ארנק לצפייה בלבד + + + + WizardCreateWallet + + + Create a new wallet + צור ארנק חדש + + + + WizardDonation + + + Monero development is solely supported by donations + פיתוח מונרו מתאפשר רק בזכות תרומות + + + + Enable auto-donations of? + אפשר תרומות-אוטומטיות? + + + + % of my fee added to each transaction + אחוז מהעמלה הנוסף לכל העברה + + + + For every transaction, a small transaction fee is charged. This option lets you add an additional amount, as a percentage of that fee, to your transaction to support Monero development. For instance, a 50% autodonation take a transaction fee of 0.005 XMR and add a 0.0025 XMR to support Monero development. + לכל העברה קיימת עמלה. אופציה זו מאפשרת לך להוסיף, בנוסף לעמלה, אחוז מסוים מעמלה זו כדי לתמוך בפיתוח של מונרו. למשל, תרומה אוטומטית של 50% עבור עמלה בסך 0.005 XMR תוסיף עוד 0.0025 XMR שיישלחו לצוות הפיתוח של מונרו + + + + Allow background mining? + לאפשר כרייה ברקע? + + + + Mining secures the Monero network, and also pays a small reward for the work done. This option will let Monero mine when your computer is on mains power and is idle. It will stop mining when you continue working. + כרייה מאבטחת את רשת מונרו ובנוסף מתגמלת בפרס קטן על העבודה. אופציה זו מאפשרת למונרו לכרות כאשר המחשב מחובר לחשמל ואינו פעיל. הכרייה מפסיקה כאשר המחשב חוזר לפעולה. + + + + WizardFinish + + + + + Enabled + פעיל + + + + + + Disabled + מבוטל + + + + Language + שפה + + + + Wallet name + שם ארנק + + + + Backup seed + גיבוי משפט סודי + + + + Wallet path + מיקום ארנק + + + + Daemon address + כתובת המסנכרן + + + + Testnet + + + + + Restore height + שחזר גובה + + + + New wallet details: + פרטי ארנק חדש: + + + + Don't forget to write down your seed. You can view your seed and change your settings on settings page. + אל תשכח לרשום את המשפט הסודי. ניתן לצפות במשפט הסודי ולשנות הגדרות בדף ההגדרות + + + + You’re all set up! + הכל מוכן! + + + + WizardMain + + + A wallet with same name already exists. Please change wallet name + ארנק עם שם כזה כבר קיים. אנא בחר שם אחר + + + + Non-ASCII characters are not allowed in wallet path or account name + תווים שאינם ASCII אינם מותרים בכתובת ארנק או שם חשבון + + + + USE MONERO + התחל עם מונרו! + + + + Create wallet + צור ארנק + + + + Success + + + + + The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: +%1 + ארנק לצפייה בלבד נוצר. ניתן לפתוח אותו ע"י סגירת הארנק הנוכחי, לחיצה על "פתח ארנק מקובץ" ובחירת הארנק לצפייה ב: +%1 + + + + Error + שגיאה + + + + Abort + בטל + + + + WizardManageWalletUI + + + Wallet name + שם ארנק + + + + Restore from seed + שחזר ממשפט סודי + + + + Restore from keys + שחזר ממפתחות + + + + Account address (public) + כתובת חשבון (ציבורי) + + + + View key (private) + מפתח צפייה (סודי) + + + + Spend key (private) + מפתח שימוש (סודי) + + + + Restore height (optional) + שחזר גובה (אופציונלי) + + + + Your wallet is stored in + הארנק שלך מאוחסן ב + + + + Please choose a directory + אנא בחר תיקייה + + + + WizardMemoTextInput + + + Enter your 25 word mnemonic seed + הכנס את המשפט הסודי בעל 25 המילים + + + + This seed is <b>very</b> important to write down and keep secret. It is all you need to backup and restore your wallet. + חשוב <b>מאוד</b> לכתוב ולשמור את המשפט הסודי. זה כל שתצטרך כדי לגבות ולשחזר את הארנק שלך + + + + WizardOptions + + + Welcome to Monero! + ברוכים הבאים למונרו! + + + + Please select one of the following options: + אנא בחר אחת מהאפשרויות הבאות: + + + + Create a new wallet + צור ארנק חדש + + + + Restore wallet from keys or mnemonic seed + שחזר ארנק ממפתחות או ממשפט סודי + + + + Open a wallet from file + פתח ארנק מקובץ + + + + Custom daemon address (optional) + כתובת מסנכרן מותאמת אישית (אופציונלי) + + + + Testnet + + + + + WizardPassword + + + + Give your wallet a password + הכנס סיסמה לארנק + + + + <br>Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> + <b>Enter a strong password</b> (using letters, numbers, and/or symbols): + <br>שים לב: לא ניתן לשחזר סיסמה זו. אם תשכח אותה תצטרך לשחזר את הארנק בעזרת המשפט הסודי בעל 25 המילים.<br><br><br>הכנס סיסמה חזקה<br>(אותיות, מספרים ו/או סמלים) + + + + WizardPasswordUI + + + Password + סיסמה + + + + Confirm password + וודא סיסמה + + + + WizardRecoveryWallet + + + Restore wallet + שחזר ארנק + + + + WizardWelcome + + + Welcome to Monero! + ברוכים הבאים למונרו! + + + + Please choose a language and regional format. + אנא בחר שפה. + + + + main + + + + + + + + + + + + Error + שגיאה + + + + Couldn't open wallet: + לא ניתן לפתוח קובץ: + + + + Unlocked balance (waiting for block) + יתרה נעולה (ממתין לבלוק) + + + + Unlocked balance (~%1 min) + יתרה נעולה (~%1 דקות) + + + + Unlocked balance + יתרה נעולה + + + + Waiting for daemon to start... + ממתין למסנכרן הרשת להתחיל... + + + + Waiting for daemon to stop... + ממתין למסנכרן הרשת לעצור... + + + + Daemon failed to start + מסנכרן הרשת נכשל מלהתחיל + + + + Please check your wallet and daemon log for errors. You can also try to start %1 manually. + אנא בדוק את הארנק שלך ואת יומן המסנכרן עבור שגיאות. באפשרותך גם להתחיל %1 באופן ידני. + + + + Can't create transaction: Wrong daemon version: + לא ניתן לבצע העברה: גרסת מסנכרן שגויה: + + + + + Can't create transaction: + לא ניתן לבצע העברה: + + + + + No unmixable outputs to sweep + לא קיימות יתרות שאינן ניתנות לשימוש + + + + + Confirmation + אישור העברה + + + + + Please confirm transaction: + + אנא אשר העברה: + + + + + +Address: + כתובת: + + + + +Payment ID: + מזהה תשלום: + + + + + + +Amount: + + +סכום: + + + + + Fee: + עמלה: + + + + + +Ringsize: + + +מספר שולחים פוטנציאלים (גודל חוג):: + + + + This address received %1 monero, with %2 confirmation(s). + כתובת זו קיבלה %1 מונרו, עם %2 אישורים. + + + + Daemon is running + מסנכרן פועל + + + + Daemon will still be running in background when GUI is closed. + מסנכרן הרשת עדיין ירוץ ברקע כאשר התוכנה תיסגר. + + + + Stop daemon + עצור סנכרון + + + + New version of monero-wallet-gui is available: %1<br>%2 + גרסה חדשה של מונרו זמינה: %1<br>%2 + + + + +Number of transactions: + מספר עסקאות: + + + + + +Description: + + +תיאור: + + + + Amount is wrong: expected number from %1 to %2 + סכום שגוי: טווח הערכים הוא %1 עד %2 + + + + Insufficient funds. Unlocked balance: %1 + יתרה אינה מספיקה. יתרה זמינה: %1 + + + + Couldn't send the money: + שליחת הכסף נכשלה + + + + Information + מידע + + + + Money sent successfully: %1 transaction(s) + כסף נשלח בהצלחה: %1 עסקאות + + + + Transaction saved to file: %1 + העברה נשמרה לקובץ: %1 + + + + Payment check + בדוק תשלום + + + + This address received %1 monero, but the transaction is not yet mined + כתובת זו קיבלה %1 מונרו, אך ההעברה טרם אושרה ע"י הרשת + + + + This address received nothing + כתובת זו לא קיבלה כלום + + + + Balance (syncing) + יתרה (סנכרון מתבצע) + + + + Balance + יתרה + + + + Please wait... + אנא המתן... + + + + Program setup wizard + אשף התקנה + + + + Monero + מונרו + + + + send to the same destination + שלח לאותו היעד + + + diff --git a/translations/monero-core_hi.ts b/translations/monero-core_hi.ts index a6e093f4..562a5e08 100644 --- a/translations/monero-core_hi.ts +++ b/translations/monero-core_hi.ts @@ -14,86 +14,55 @@ पता - - <b>Tip tekst test</b> - - - - + QRCODE - + 4... - + Payment ID <font size='2'>(Optional)</font> भुगतान आईडी <font size='2'>(वैकल्पिक)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - - - - + Paste 64 hexadecimal characters - + Description <font size='2'>(Optional)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description - + Add - + Error त्रुटि - + Invalid address - + Can't create entry - - Description <font size='2'>(Local database)</font> - विवरण <font size='2'>(स्थानीय डेटाबेस)</font> - - - ADD - जोड़ें - - - Payment ID - भुगतान आईडी - - - Description - विवरण - AddressBookTable @@ -130,26 +99,6 @@ 2324.9239845 - - amount... - राशि... - - - SEND - भेजें - - - destination... - गंतव्य... - - - Privacy level - गोपनीयता स्तर - - - payment ID (optional)... - भुगतान आईडी (वैकल्पिक)... - DaemonConsole @@ -225,31 +174,6 @@ History - - Filter trasactions history - लेनदेन इतिहास फिल्टर करें - - - Address - पता - - - - - - - - <b>Tip tekst test</b> - - - - Payment ID <font size='2'>(Optional)</font> - भुगतान आईडी <font size='2'>(वैकल्पिक)</font> - - - Description <font size='2'>(Local database)</font> - विवरण <font size='2'>(स्थानीय डेटाबेस)</font> - selected: @@ -261,55 +185,38 @@ - - <b>Total amount of selected payments</b> - - - - + Type for incremental search... - + Date from तिथि से - - + + To तक - + Filter - FILTER - फिल्टर करें - - - + Advanced filtering - + Type of transaction - Advance filtering - उन्नत फिल्टर - - - Type of transation - लेनदेन के प्रकार - - - + Amount from राशि @@ -382,10 +289,6 @@ Fee - - Balance - धनराशि - Amount @@ -405,111 +308,97 @@ धनराशि - - Test tip 1<br/><br/>line 2 - परीक्षण उपाय 1<br/><br/>line 2 - - - + Unlocked balance खुली धनराशि - - Test tip 2<br/><br/>line 2 - परीक्षण उपाय 2<br/><br/>line 2 - - - + Send - + S - + Address book - + B - + History - + H - + Advanced - + D - + Mining - + M - + Check payment - + K - + Sign/verify - + I - + Settings - + E - Transfer - स्थानांतरण - - - + Receive प्राप्त करें - + R @@ -681,18 +570,6 @@ PrivacyLevelSmall - - LOW - निम्न - - - MEDIUM - मध्यम - - - HIGH - उच्च - Low @@ -809,10 +686,6 @@ Generate payment ID for integrated address - - ReadOnly wallet integrated address displayed here - यहाँ केवल पठनीय वॉलेट एकीकृत पता प्रदर्शित है - Amount @@ -858,10 +731,6 @@ Payment ID भुगतान आईडी - - PaymentID here - भुगतान आईडी यहाँ - Generate @@ -1267,16 +1136,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1329,18 +1218,6 @@ TickDelegate - - LOW - निम्न - - - MEDIUM - मध्यम - - - HIGH - उच्च - Normal @@ -1357,13 +1234,6 @@ - - TitleBar - - Monero - Donations - Monero - डोनेशन - - Transfer @@ -1387,12 +1257,12 @@ - + Transaction cost - + No valid address found at this OpenAlias address @@ -1402,58 +1272,58 @@ - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + 16 or 64 hexadecimal characters - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history @@ -1468,202 +1338,166 @@ - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + Send - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error त्रुटि - + Information जानकारी - - + + Please choose a file - + Can't load unsigned transaction: - - - -Number of transactions: - - - - - -Transaction #%1 - - - - - -Recipient: - - -payment ID: - - - - - -Amount: +Number of transactions: -Fee: +Transaction #%1 +Recipient: + + + + + +payment ID: + + + + + +Amount: + + + + + +Fee: + + + + + Ringsize: - + Confirmation पुष्टिकरण - + Can't submit transaction: - + Money sent successfully पैसे सफलतापूर्वक भेजे गए - - + + Wallet is not connected to daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Waiting on daemon synchronization to finish - Amount... - राशि.... - - - LOW - निम्न - - - MEDIUM - मध्यम - - - HIGH - उच्च - - - Privacy Level - गोपनीयता स्तर - - - Cost - मूल्य - - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> पता <font size='2'> ( Type in or select from </font> <a href='#'>पता</a><font size='2'> पुस्तिका )</font> - - - + Payment ID <font size='2'>( Optional )</font> भुगतान आईडी <font size='2'>( वैकल्पिक )</font> - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - विवरण <font size='2'>( एक वैकल्पिक विवरण जिसे दर्ज़ करने पर यह स्थानीय पता पुस्तिका में सहेजा जायेगा )</font> - - - SEND - भेजें - TxKey @@ -1740,10 +1574,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? Kickstart the Monero ब्लॉकचेन? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - इसे लिखना बहुत आवश्यक है क्योंकि अपने वॉलेट के लिए आपको बस इस एकमात्र बैकअप की जरुरत पड़ेगी। यह सही से कॉपी किया गया है यह सुनिश्चित करने के लिए आपको अगली स्क्रीन पर सीड की पुष्टि करने के लिए कहा जायेगा। - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1780,14 +1610,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - आपके लिए एक नया वॉलेट बनाया गया है - - - This is the 25 word mnemonic for your wallet - यह आपके वॉलेट के लिए 25 शब्दों का स्मरक है - Create a new wallet @@ -1829,42 +1651,6 @@ Please upgrade or connect to another daemon WizardFinish - - <b>Language:</b> - <b>भाषा:</b> - - - <b>Account name:</b> - <b>खाता नाम:</b> - - - <b>Words:</b> - <b>शब्द:</b> - - - <b>Wallet Path: </b> - <b>वॉलेट पाथ: </b> - - - <b>Enable auto donation: </b> - <b>ऑटो डोनेशन सक्षम करें: </b> - - - <b>Auto donation amount: </b> - <b>ऑटो डोनेशन राशि: </b> - - - <b>Allow background mining: </b> - <b>बैकग्राउंड माइनिंग की अनुमति दें: </b> - - - An overview of your Monero configuration is below: - आपके Monero कॉन्फ़िगरेशन की समीक्षा नीचे दी गयी है: - - - You’re all setup! - आप बिल्कुल तैयार हैं! - @@ -1976,14 +1762,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - यह आपके वॉलेट का नाम है। यदि आप चाहें तो इसे दूसरे नाम में बदल सकते हैं: - - - My account name - मेरा खाता नाम - Wallet name @@ -2032,10 +1810,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - इसे लिखना बहुत आवश्यक है क्योंकि अपने वॉलेट के लिए आपको बस इस एकमात्र बैकअप की जरुरत पड़ेगी। यह सही से कॉपी किया गया है यह सुनिश्चित करने के लिए आपको अगली स्क्रीन पर सीड की पुष्टि करने के लिए कहा जायेगा। - Enter your 25 word mnemonic seed @@ -2084,31 +1858,9 @@ Please upgrade or connect to another daemon Testnet - - This is my first time, I want to<br/>create a new account - यह मेरे लिए पहली बार है, मैं एक नया<br/>खाता बनाना चाहता हूँ - - - I want to recover my account<br/>from my 24 work seed - मैं अपने 24 वर्क सीड से अपना खाता<br/>रिकवर करना चाहता हूँ - WizardPassword - - Now that your wallet has been created, please set a password for the wallet - अब जबकि आपका वॉलेट बन गया है, कृपया वॉलेट के लिए पासवर्ड निर्धारित करें - - - Now that your wallet has been restored, please set a password for the wallet - अब जबकि आपका वॉलेट पुनर्स्थापित हो गया है, कृपया वॉलेट के लिए पासवर्ड निर्धारित करें - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - ध्यान रखें, यह पासवर्ड दोबारा प्राप्त नहीं किया जा सकता है, और यदि आप इसे भूल जाते हैं तो आपको दिए गए स्मरक सीड से अपना वॉलेट पुनर्स्थापित करने की जरुरत पड़ेगी <br/><br/> - आपका पासवर्ड वॉलेट सुरक्षित रखने के लिए और गतिविधियों की पुष्टि करने के लिए प्रयोग किया जायेगा, तो इस बात का ध्यान रखें कि आपका पासवर्ड पर्याप्त रूप से सुरक्षित रहे। - @@ -2137,18 +1889,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - My account name - मेरा खाता नाम - - - We're ready to recover your account - हम आपका खाता रिकवर करने के लिए तैयार हैं - - - Please enter your 25 word private key - कृपया अपनी 25 शब्दों की गोपनीय कुंजी डालें - Restore wallet @@ -2157,10 +1897,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - आपका स्वागत है - Welcome to Monero! @@ -2385,26 +2121,6 @@ Description: Monero - - Please confirm transaction: - कृपया लेनदेन की पुष्टि करें: - - - Address: - पता: - - - Payment ID: - भुगतान आईडी: - - - Amount: - राशि: - - - Fee: - शुल्क: - Couldn't send the money: @@ -2415,23 +2131,11 @@ Description: Information जानकारी - - Money sent successfully - पैसे सफलतापूर्वक भेजे गए - - - Initializing Wallet... - वॉलेट प्रारंभ हो रहा है... - Program setup wizard प्रोग्राम सेटअप विज़ार्ड - - Monero - Donations - Monero - डोनेशन - send to the same destination diff --git a/translations/monero-core_hr.ts b/translations/monero-core_hr.ts index ed7e9a53..ffe579c7 100644 --- a/translations/monero-core_hr.ts +++ b/translations/monero-core_hr.ts @@ -14,67 +14,52 @@ - - <b>Tip tekst test</b> - - - - + QRCODE - + 4... - + Payment ID <font size='2'>(Optional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - - - - + Paste 64 hexadecimal characters - + Description <font size='2'>(Optional)</font> - + Add - + Error - + Invalid address - + Can't create entry - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description @@ -200,52 +185,38 @@ - - <b>Total amount of selected payments</b> - - - - + Type for incremental search... - + Date from - - - - - - <b>Tip tekst test</b> - - - - - + + To - + Filter - + Advanced filtering - + Type of transaction - + Amount from @@ -332,42 +303,32 @@ - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance - - Test tip 2<br/><br/>line 2 - - - - + Send - + Receive - + R - + K - + History @@ -377,67 +338,67 @@ - + Address book - + B - + H - + Advanced - + D - + Mining - + M - + Check payment - + Sign/verify - + E - + S - + I - + Settings @@ -1175,16 +1136,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1276,164 +1257,164 @@ - + No valid address found at this OpenAlias address - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history - + Send - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error - + Information - - + + Please choose a file - + Can't load unsigned transaction: - - - -Number of transactions: - - - - - -Transaction #%1 - - - - - -Recipient: - - -payment ID: - - - - - -Amount: +Number of transactions: -Fee: +Transaction #%1 +Recipient: + + + + + +payment ID: + + + + + +Amount: + + + + + +Fee: + + + + + Ringsize: - + Confirmation - + Can't submit transaction: - + Money sent successfully - - + + Wallet is not connected to daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Waiting on daemon synchronization to finish @@ -1443,12 +1424,12 @@ Please upgrade or connect to another daemon - + Transaction cost - + Payment ID <font size='2'>( Optional )</font> @@ -1463,57 +1444,57 @@ Please upgrade or connect to another daemon - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + 16 or 64 hexadecimal characters diff --git a/translations/monero-core_id.ts b/translations/monero-core_id.ts index ce326090..54953816 100644 --- a/translations/monero-core_id.ts +++ b/translations/monero-core_id.ts @@ -14,86 +14,55 @@ Alamat - - <b>Tip tekst test</b> - - - - + QRCODE Kode QR - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> Menandai Pembayaran<font size='2'>(opsional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Menandai Pembayaran</b><br/><br/>Pengenal unik degunakan dalam<br/>buku alamal. Tidak pernah dikirim ke orang-orang lain - - - + Paste 64 hexadecimal characters Merekatkan 64 simbol heksadesimal - + Description <font size='2'>(Optional)</font> Catatan <font size='2'>(Ikhtiari)</font> - + Give this entry a name or description Pililah nama atau menuliskan catatan untuk alamat ini - + Add Tambah - + Error Kesalahan - + Invalid address Macam alamat salah - + Can't create entry Tidak dapat membuat catatan - - Description <font size='2'>(Local database)</font> - Catatan <font size='2'>(Disimpan secara lokal)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - - - - ADD - TAMBAH - - - Payment ID - Menandai Pembayaran - - - Description - Catatan - AddressBookTable @@ -162,17 +131,6 @@ Menggunakan pengaturan yang dipilih oleh Anda - - DaemonProgress - - Synchronizing blocks %1/%2 - Menerima dan memeriksa blok %1/%2 - - - Synchronizing blocks - Menerima dan memeriksa blok - - Dashboard @@ -227,68 +185,38 @@ Menyaring riwayat transaksi - - <b>Total amount of selected payments</b> - <b>Jumlah total untuk pembayaran yang dipilih</b> - - - + Type for incremental search... Mengetik untuk pencarian tambahan... - + Filter Menyaring - Incremental search - Pencarian aktif - - - Search transfers for a given string - Cari pembayaran dengan catatan khusus - - - Type search string - Masukan catatan yang ingin dicari - - - + Date from Dari tanggal - - - - - - <b>Tip tekst test</b> - - - - - + + To Ke - FILTER - MENYARING - - - + Advanced filtering Penyaringan terperinci - + Type of transaction Golongan transaksi - + Amount from Jumlah dari @@ -375,50 +303,32 @@ Saldo Rekening - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Saldo rekening yang tidak terkunci - - Test tip 2<br/><br/>line 2 - - - - + Send KIRIM - T - T - - - + Receive Menerima - + R R - Verify payment - Mengesahkan pembayaran - - - + K K - + History Riwayat @@ -428,81 +338,73 @@ Testnet (jaringan pelatihan) - + Address book Buku alamat - + B B - + H H - + Advanced Terperinci - + D D - + Mining Pertambangan - + M M - + Check payment Mengesahkan pembayaran - + Sign/verify Menandatangani/mengesahkan - + E E - + S S - + I I - + Settings Pengaturan MiddlePanel - - Balance: - Saldo rekening: - - - Unlocked Balance: - Saldo rekening yang tidak terkunci: - Balance @@ -526,26 +428,6 @@ (only available for local daemons) (Hanya untuk jurik lokal) - - Mining helps the Monero network build resilience.<br> - Pertambangan menjaminkan sekuritas jaringan Monero.<br> - - - The more mining is done, the harder it is to attack the network.<br> - Makin banyak pertambangan, makin jaringan lebih mempertahankan - - - Mining also gives you a small chance to earn some Monero.<br> - Pertambangan juga memberikan Anda sebuah kesempatan supaya memenangkan sedikit Monero.<br> - - - Your computer will search for Monero block solutions.<br> - Komputer Anda akan menebak untuk kunci blok Monero.<br> - - - If you find a block, you will get the associated reward.<br> - Jika Anda menemukan kunci yang pas, Anda akan menang sedikit Monero - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -688,18 +570,6 @@ PrivacyLevelSmall - - LOW - RENDAH - - - MEDIUM - SEDANG - - - HIGH - TINGGI - Low @@ -816,10 +686,6 @@ Amount to receive Jumlah untuk terima - - ReadOnly wallet integrated address displayed here - Alamat tergabung dompet BacaSaja ditampilkan disini - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -855,10 +721,6 @@ Payment ID Menandai pembayaran - - 16 or 64 hexadecimal characters - 16 atau 64 simbol heksadesimal - Generate @@ -913,27 +775,11 @@ Settings - - Click button to show seed - Pekan tombol untuk menunjukkan biji acak Anda - - - Mnemonic seed: - Kata-kata biji acak Anda: - - - It is very important to write it down as this is the only backup you will need for your wallet. - Sangat penting ini dicatat karena cuma oleh sebagai ini dompet Anda dapat dipulihkan - Create view only wallet Membuat dompet hanya untuk menonton - - Show seed - Menunjukkan biji acak - Manage daemon @@ -1065,10 +911,6 @@ Cancel Membatalkan - - Save - Menyimpan - Layout settings @@ -1109,10 +951,6 @@ Daemon log Log jurik - - Wallet mnemonic seed - Kata-kata biji acak untuk dompet Anda - @@ -1154,10 +992,6 @@ Manage wallet Mengelola dompet Anda - - Close current wallet and open wizard - Menutup dompet saat ini dan membuka wizard - Close wallet @@ -1235,20 +1069,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Alamat menandatangani <font size='2'> ( Merekatkan atau pilih dari </font> <a href='#'>Buku alamat</a><font size='2'> )</font> - - SIGN - MENANDATANGANI - Or file: Atau arsip: - - SELECT - MEMILIH - Filename with message to sign @@ -1272,19 +1098,11 @@ Message to verify Pesan untuk disahkan - - VERIFY - MENGESAHKAN - Filename with message to verify Nama arsip dengan pesan untuk disahkan - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Alamat penandatanganan <font size='2'> ( Mengetikkan atau memilih dari </font> <a href='#'>Buku alamat</a><font size='2'> )</font> - StandardDialog @@ -1318,16 +1136,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All Semua - + Sent Terkirim - + Received Diterima @@ -1339,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Menyalin alamat ke clipboard</b> - - <b>Send to same destination</b> - <b>Mengirim ke tujuan yang sama<b> - <b>Send to this address</b> @@ -1384,18 +1218,6 @@ TickDelegate - - LOW - RENDAH - - - MEDIUM - SEDANG - - - HIGH - TINGGI - Normal @@ -1440,108 +1262,108 @@ Kepentingan transaksi - + Low (x1 fee) Rendah (biaya x1) - + Medium (x20 fee) Sedang (biaya x20) - + High (x166 fee) Tinggi (biaya x166) - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Alamat <font size='2'> ( Merekatkan atau memilih dari </font> <a href='#'>Buku alamat</a><font size='2'> )</font> - + QR Code Kode QR - + Resolve Menyelesaikan - + No valid address found at this OpenAlias address Tidak menerima alamat yang sah dari alamat OpenAddress ini - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Alamat ditemukan, tetapi tanda tangan DNSSEC tidak dapat disahkan, jadi adalah kemungkinan alamat ini telah dipalsukan - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Tidak menerima alamat yang sah dari alamat OpenAddress ini, dan juga tanda tangan DNSSEC tidak dapat disahkan, jadi adalah kemungkinan ini telah dipalsukan - - + + Internal error Kesalahan internal - + No address found Tidak dapat menemukan alamat - + Description <font size='2'>( Optional )</font> Catatan <font size='2'>( Opsional )</font> - + Saved to local wallet history Sedia dalam riwayat dompet lokal - + Send MENGIRIM - + Show advanced options Menunjukkan opsi terperinci - + Sweep Unmixable Menggabungkan transaksi yang tak dapat dicampurkan - + Create tx file Membuat arsip transaksi @@ -1551,120 +1373,108 @@ Semua - + Sign tx file Menandatangani arsip transaksi - + Submit tx file Menyerahkan arsip transaksi - Rescan spent - Periksakan lagi yang terhabiskan - - - - + + Error Kesalahan - Error: - Kesalahan: - - - + Information Informasi - Sucessfully rescanned spent outputs - Keperiksaan yang terkeluar dengan sukses - - - - + + Please choose a file >Mohon memilih arsip - + Can't load unsigned transaction: Tidak bisa membuka transaksi yang tidak ditandatangani: - + Number of transactions: Jumlah transaksi: - + Transaction #%1 Transaksi #%1 - + Recipient: Penerima: - + payment ID: Menandai Pembayaran: - + Amount: Jumlah: - + Fee: Biaya: - + Ringsize: Ukuran cincin: - + Confirmation Konfirmasi - + Can't submit transaction: Tidak bisa mengirim transaksi: - + Money sent successfully Uang terkirim dengan sukses - - + + Wallet is not connected to daemon. Dompet tidak dapat menghubung ke jurik - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon Jurik yang terhubung tidak cocok dengan GUI. Silahkan meningkatkan jurik atau menghubungkan jurik yang lain - + Waiting on daemon synchronization to finish Menunggu jurik untuk selesai menerima dan memeriksa blok @@ -1674,79 +1484,23 @@ Please upgrade or connect to another daemon - or ALL - atau SEMUA - - - LOW - RENDAH - - - MEDIUM - SEDANG - - - HIGH - TINGGI - - - Privacy level - Tingkatan privasi - - - + Transaction cost Biaya transaksi - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Alamat <font size='2'> ( Mengetikkan atau memilih dari </font> <a href='#'>Buku alamat</a><font size='2'> )</font> - - - + Payment ID <font size='2'>( Optional )</font> Menandai pembayaran <font size='2'>( Ikhtiari )</font> - + 16 or 64 hexadecimal characters 16 atau 64 simbol heksadesimal - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Catatan <font size='2'>(Catatan ikhtiari yang akan disimpan dalam buku alamat lokal)</font> - - - SEND - KIRIM - - - SWEEP UNMIXABLE - MENGUMPULKAN KELUARAN YANG TIDAK DAPAT DICAMPUR - TxKey - - You can verify that a third party made a payment by supplying: - Anda bisa periksa pembayaran oleh pihak ketiga dengan: - - - - the recipient address, - - alamat penerima, - - - - the transaction ID, - - menandai transaksi - - - - the tx secret key supplied by the sender - - rahasia transaksi dari pengirim - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - Jika pembayaran termasuk beberapa transaksi, setiapnya harus diperiksa dan hasil ditambah - Verify that a third party made a payment by supplying: @@ -1802,23 +1556,11 @@ Please upgrade or connect to another daemon Check Periksa - - Transaction ID here - Menandai transaksi disini - Transaction key Kunci transaksi - - Transaction key here - Kunci transaksi disini - - - CHECK - MEMERIKSA - WizardConfigure @@ -1832,10 +1574,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? Mulailah rantaiblok Monero? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Sangat penting ini dicatat karena cuma oleh sebagai ini dompet Anda dapat dipulihkan. Langsung, Anda akan diminta memastikan biji acak supaya dicatat dengan benar - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1872,14 +1610,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - Dompet baru telah dibuat untuk Anda - - - This is the 25 word mnemonic for your wallet - Ini adalah 25 kata-kata biji acak untuk dompet Anda - Create a new wallet @@ -1940,14 +1670,6 @@ Please upgrade or connect to another daemon Language Bahasa - - Account name - Nama saldo rekening - - - Seed - Biji acak - Wallet name @@ -1993,14 +1715,6 @@ Please upgrade or connect to another daemon You’re all set up! Semua siap! - - An overview of your Monero configuration is below: - Gambaran konfigurasi Monero Anda diberikan di bawah ini: - - - You’re all setup! - Semua siap! - WizardMain @@ -2048,14 +1762,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Ini nama dompet Anda. Bisa digantikan untuk nama lain kalau Anda ingin: - - - Restore height - Mengembalikan dari nomor blok - Wallet name @@ -2104,10 +1810,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Sangat penting ini dicatat karena cuma oleh sebagai ini dompet Anda dapat dipulihkan. Langsung, Anda akan diminta memastikan biji acak supaya dicatat dengan benar - Enter your 25 word mnemonic seed @@ -2151,22 +1853,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) Alamat jurik yang dipilih oleh Anda (opsional) - - This is my first time, I want to create a new account - Ini saat pertama saya, dan saya ingin membuat rekening yang baru - - - I want to recover my account from my 25 word seed - Saya ingin mengembalikan rekening dari 25 kata-kata biji acak saya - - - I want to open a wallet from file - Saya ingin membuka dompet dari arsip - - - Please setup daemon address below. - Mohon mendirikan alamat jurik di bawah ini. - Testnet @@ -2175,28 +1861,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Mohon memilih kata sandi untuk dompet anda yang baru dibuat - - - Now that your wallet has been restored, please set a password for the wallet - Mohon memilih kata sandi untuk dompet anda yang baru dikembalikan - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Ingatlah kata sandi ini tidak dapat dikembalikan, dan kalau lupa, dompet Anda harus dikembalikan dari biji acak yang baru dicatat<br/><br/> - Kata sandi anda akan digunakan supaya melindungi dompet Anda dan juga mengizinkan setiap tindakan, jadi memastikan kata sandi Anda cukup sulit - - - Password - Kata sandi - - - Confirm password - Memastikan kata sandi - @@ -2210,12 +1874,6 @@ Please upgrade or connect to another daemon <br>Peringatan: kata sandi ini tidak pernah dapat diperoleh kembali. Jika Anda lupa kata sandi, dompet Anda harus dikembalikan dari kata biji acak.<br/><br/> <b>Mohon memilih kata sandi yang sulit</b> (dengan huruf, nomor dan/atau simbol): - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - Peringatan: kata sandi ini tidak pernah dapat diperoleh kembali. Jika Anda lupa kata sandi, dompet Anda harus dikembalikan dari kata biji acak.<br/><br/> - <b>Mohon memilih kata sandi yang sulit</b> (dengan huruf, nomor dan/atau simbol): - WizardPasswordUI @@ -2232,14 +1890,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - We're ready to recover your account - Siap mengembalikan rekening Anda - - - Please enter your 25 word private key - Silahkan memasuk 25 kata-kata biji acak Anda - Restore wallet @@ -2248,10 +1898,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - Selamat Datang - Welcome to Monero! @@ -2284,10 +1930,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: Tidak bisa membuka dompet: - - Synchronizing blocks %1 / %2 - Menerima dan memeriksa blok %1 / %2 - Can't create transaction: Wrong daemon version: @@ -2311,38 +1953,6 @@ Please upgrade or connect to another daemon Confirmation Konfirmasi - - Please confirm transaction: - Silahkan mengkonfirmasi transaksi: - - - Address: - Alamat: - - - Payment ID: - Menandai pembayaran : - - - Amount: - Jumlah: - - - Fee: - Biaya: - - - Mixin: - Campuran: - - - Number of transactions: - Nomor transaksi: - - - Description: - Catatan: - Unlocked balance (waiting for block) @@ -2497,10 +2107,6 @@ Description: New version of monero-wallet-gui is available: %1<br>%2 Versi baru untuk monero-wallet-gui tersedia: %1<br>%2 - - This address received %1 monero, with %2 confirmations - Alamat ini menerima %1 monero, dengan %2 konfirmasi - This address received nothing diff --git a/translations/monero-core_it.ts b/translations/monero-core_it.ts index cd13c22e..40906cc9 100644 --- a/translations/monero-core_it.ts +++ b/translations/monero-core_it.ts @@ -14,67 +14,52 @@ Indirizzo - - <b>Tip tekst test</b> - - - - + QRCODE Codice QR - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> ID Pagamento <font size='2'>(Opzionale)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - - - - + Paste 64 hexadecimal characters Inserisci 64 caratteri esadecimali - + Description <font size='2'>(Optional)</font> Descrizione <font size='2'>(Opzionale)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Inserisci nome o descrizione - + Add Aggiungi - + Error Errore - + Invalid address Indirizzo invalido - + Can't create entry Impossibile creare questa voce @@ -146,9 +131,6 @@ utilizza impostazioni personalizzate - - DaemonProgress - Dashboard @@ -192,15 +174,6 @@ History - - - - - - - <b>Tip tekst test</b> - - Filter transaction history @@ -212,43 +185,38 @@ selezionato: - - <b>Total amount of selected payments</b> - <b>Totale pagamenti selezionati</b> - - - + Type for incremental search... Inserisci per ricerca incrementale... - + Date from Data da - - + + To A - + Filter Filtra - + Advanced filtering Filtri avanzati - + Type of transaction Tipo di transazione - + Amount from Quantità da @@ -335,42 +303,32 @@ Totale - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Totale sbloccato - - Test tip 2<br/><br/>line 2 - - - - + Send Invia - + Receive Ricevi - + R R - + K K - + History Storico @@ -380,67 +338,67 @@ Testnet - + Address book Rubrica - + B B - + H H - + Advanced Avanzate - + D D - + Mining Mining - + M M - + Check payment Verifica pagamento - + Sign/verify Firma/verifica - + I I - + Settings Impostazioni - + E E - + S S @@ -473,7 +431,7 @@ Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! - Minare con il tuo computer incrementa la resistenza del network. Più persone minano, più è difficile attaccare monero, e anche un singolo bit è importante.<br> <br>Minare ti da anche una piccola chance di guadagnare qualche Monero. Il tuo computer creerà "hashes" cercando di risolvere un blocco. Se ne trovi uno, riceverai la ricompensa associata al blocco. Buona fortuna! + Minare con il tuo computer incrementa la resistenza del network. Più persone minano, più è difficile attaccare monero, e anche un singolo bit è importante.<br> <br>Minare ti da anche una piccola chance di guadagnare qualche Monero. Il tuo computer creerà "hashes" cercando di risolvere un blocco. Se ne trovi uno, riceverai la ricompensa associata al blocco. Buona fortuna! @@ -746,7 +704,7 @@ Generate payment ID for integrated address - Genera ID Pagamento per l'indirizzo integrato + Genera ID Pagamento per l'indirizzo integrato @@ -771,7 +729,7 @@ <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> - <p><font size='+2'>Questo è un semplice tracker per le vendite:</font></p><p>Clicca "Genera" per creare un ID Pagamento casuale per un nuovo cliente</p> <p>Fai scannerizzare al cliente il codice QR per effettuare un pagamento (Se il cliente possiede un QR scanner).</p><p>Questa pagina scannerizzerà automaticamente la blockchain e il txpool in cerca di transazioni in entrata usando il codice QR. Se inserisci una qauntità controllerà anche se ci sono transazioni in entrata per l'ammontare specificato.</p>It'Sta a te decidere se accettare transazioni non confermate. + <p><font size='+2'>Questo è un semplice tracker per le vendite:</font></p><p>Clicca "Genera" per creare un ID Pagamento casuale per un nuovo cliente</p> <p>Fai scannerizzare al cliente il codice QR per effettuare un pagamento (Se il cliente possiede un QR scanner).</p><p>Questa pagina scannerizzerà automaticamente la blockchain e il txpool in cerca di transazioni in entrata usando il codice QR. Se inserisci una qauntità controllerà anche se ci sono transazioni in entrata per l'ammontare specificato.</p>It'Sta a te decidere se accettare transazioni non confermate. @@ -1178,16 +1136,36 @@ + Slow (x0.25 fee) + Lento (x0.25 tassa) + + + + Default (x1 fee) + Default (x1 tassa) + + + + Fast (x5 fee) + Veloce (x5 tassa) + + + + Fastest (x41.5 fee) + Velocissimo (x41.5 tassa) + + + All Tutte - + Sent Inviato - + Received Ricevuto @@ -1274,39 +1252,39 @@ - + Transaction cost Costo della transazione - + Sign tx file Firma file tx - + Submit tx file Invia file tx - - + + Wallet is not connected to daemon. Portafoglio non connesso al daemon - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon Il daemon connesso non è compatibile con l'interfaccia grafica. Aggiorna o connetti a un altro daemon - + Waiting on daemon synchronization to finish In attesa di completamento sincronizzazione - + Payment ID <font size='2'>( Optional )</font> ID Pagamento <font size='2'>( Opzionale )</font> @@ -1331,206 +1309,192 @@ Please upgrade or connect to another daemon Tutto - + Low (x1 fee) Basso (x1 commissione) - + Medium (x20 fee) Medio (x20 commissione) - + High (x166 fee) Alto (x166 commissione) - + Slow (x0.25 fee) Lento (x0.25 tassa) - + Default (x1 fee) Default (x1 tassa) - + Fast (x5 fee) Veloce (x5 tassa) - + Fastest (x41.5 fee) Velocissimo (x41.5 tassa) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code Codice QR - + Resolve Risolvere - + No valid address found at this OpenAlias address Nessun indirizzo valido trovato in questo indirizzo OpenAlias - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Indirizzo trovato ma le firme DNSSEC non hanno potuto essere verificate. L'indirizzo potrebbe essere alterato - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Nessun indirizzo valido trovato in questo indirizzo OpenAlias ma le firme DNSSEC non hanno potuto essere verificate. L'indirizzo potrebbe essere alterato - - + + Internal error Errore interno - + No address found Nessun indirizzo trovato - + 16 or 64 hexadecimal characters 16 o 64 caratteri esadecimali - + Description <font size='2'>( Optional )</font> Descrizione <font size='2'>( Opzionale )</font> - + Saved to local wallet history Salva in storico portafoglio locale - + Send Invia - + Show advanced options Mostra opzioni avanzate - + Sweep Unmixable - + Create tx file Crea file tx - - + + Error Errore - - Error: - Errore: - - - - - + Information Informazioni - - Sucessfully rescanned spent outputs - Riscannerizzati con successo gli output spesi - - - - - - + + Please choose a file Seleziona un file - + Can't load unsigned transaction: Impossibile caricare transazione non firmata - + Number of transactions: Numero di transazioni - + Transaction #%1 Transazione #%1 - + Recipient: Destinatario: - + payment ID: ID pagamento: - + Amount: Totale: - + Fee: Commissione: - + Ringsize: Ringsize: - + Confirmation Conferma - + Can't submit transaction: Impossibile inviare transazione: - + Money sent successfully Denaro inviato correttamente @@ -1783,7 +1747,7 @@ Ringsize: The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: %1 - Il portafoglio solo-vista è stato creato. Puoi aprirlo chiudendo il portafoglio corrente, cliccando su "Apri portafoglio dall'opzione file" e selezionando il portafoglio solo-vista in: + Il portafoglio solo-vista è stato creato. Puoi aprirlo chiudendo il portafoglio corrente, cliccando su "Apri portafoglio dall'opzione file" e selezionando il portafoglio solo-vista in: %1 @@ -2087,7 +2051,7 @@ Ringsize: New version of monero-wallet-gui is available: %1<br>%2 - Una nuova versione dell'interfaccia grafica è disponibile: %1<br>%2 + Una nuova versione dell'interfaccia grafica è disponibile: %1<br>%2 diff --git a/translations/monero-core_ja.ts b/translations/monero-core_ja.ts index 10fabaa0..7d548ca5 100644 --- a/translations/monero-core_ja.ts +++ b/translations/monero-core_ja.ts @@ -14,90 +14,55 @@ アドレス - - <b>Tip tekst test</b> - - - - + QRCODE QRコード - + 4... - + 4... - + Payment ID <font size='2'>(Optional)</font> ペイメントID <font size='2'>(オプショナル)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>ペイメントID</b><br/><br/>アドレス帳で使われる一意なユーザ名です。<br/>送金の際の取引データには含まれません。 - - - + Paste 64 hexadecimal characters 16文字または64文字の16進数の文字列を入力してください - + Description <font size='2'>(Optional)</font> 説明 <font size='2'>(オプショナル)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description この宛先の名前や説明を入力してください - + Add 追加 - + Error エラー - + Invalid address 不正なアドレス - + Can't create entry 項目を作成できません - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during thevtransfer - <b>ペイメントID</b><br/><br/>アドレス帳で使われる一意なユーザ名です。<br/>送金の際の取引データには含まれません。 - - - Description <font size='2'>(Local database)</font> - 説明 <font size='2'>(ローカルなデータベース)</font> - - - ADD - 新規 - - - Payment ID - ペイメントID - - - Description - 説明 - AddressBookTable @@ -122,7 +87,7 @@ 78.9239845 - + 78.9239845 @@ -132,27 +97,7 @@ 2324.9239845 - - - - amount... - 金額... - - - SEND - 送金 - - - destination... - 宛先... - - - Privacy level - プライバシーレベル - - - payment ID (optional)... - ペイメントID (オプショナル)... + 2324.9239845 @@ -186,17 +131,6 @@ カスタム設定を使用 - - DaemonProgress - - Synchronizing blocks %1/%2 - ブロックの同期中 %1/%2 - - - Synchronizing blocks - ブロックの同期中 - - Dashboard @@ -240,95 +174,49 @@ History - - Filter transactions history - 取引履歴にフィルタを適用する - - - Address - アドレス - - - - - - - - <b>Tip tekst test</b> - - - - Payment ID <font size='2'>(Optional)</font> - ペイメントID <font size='2'>(オプショナル)</font> - Filter transaction history 取引履歴に対するフィルタ - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during thevtransfer - <b>ペイメントID</b><br/><br/>アドレス帳で使われる一意なユーザ名です。<br/>送金の際の取引データには含まれません。 - - - Description <font size='2'>(Local database)</font> - 説明 <font size='2'>(ローカルなデータベース)</font> - selected: 件: - - <b>Total amount of selected payments</b> - <b>選択された支払いの総額</b> - - - + Type for incremental search... タイプしてインクリメンタル検索 - + Date from 日付の下限 - - + + To 上限 - + Filter 適用 - FILTER - フィルタ - - - + Advanced filtering 高度なフィルタ - Advance filtering - 高度なフィルタ - - - + Type of transaction 取引の種類 - Type of transation - 取引のタイプ - - - + Amount from 金額の下限 @@ -401,10 +289,6 @@ Fee 手数料 - - Balance - 残高 - Amount @@ -419,126 +303,108 @@ 残高 - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance ロック解除された残高 - - - Test tip 2<br/><br/>line 2 - - - - Transfer - 送金する - Testnet テストネット - + Send 送金する - + Address book アドレス帳 - + B - + B - + Receive 受け取る - + R - + R - + History 履歴 - + H - + H - + Advanced 高度な機能 - + D - + D - + Mining マイニング - + M - + M - + Check payment 支払い証明 - + K - + K - + Sign/verify 電子署名 - + I - + I - + Settings 設定 - + E - + E - + S - + S MiddlePanel - - Balance: - 残高 - Balance @@ -549,10 +415,6 @@ Unlocked Balance ロック解除された残高 - - Unlocked Balance: - ロック解除された残高 - Mining @@ -566,26 +428,6 @@ (only available for local daemons) (ローカル上のデーモンでのみ可能) - - Mining helps the Monero network build resilience.<br> - マイニングによってモネロのネットワークを強固にすることができます。<br> - - - The more mining is done, the harder it is to attack the network.<br> - マイニングをする人が増えるほど、ネットワークへの攻撃が難しくなります。<br> - - - Mining also gives you a small chance to earn some Monero.<br> - 低確率ではありますが、マイニングによってモネロを獲得することもできます。<br> - - - Your computer will search for Monero block solutions.<br> - あなたのコンピュータは、モネロのブロックに関する計算問題を解く処理を行います。<br> - - - If you find a block, you will get the associated reward.<br> - 計算問題の解が見つかると、あなたはそれに伴う報酬を得ます。<br> - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -667,7 +509,7 @@ Unlocked Balance: - ロック解除された残高 + ロック解除された残高: @@ -723,23 +565,11 @@ Ok - + Ok PrivacyLevelSmall - - LOW - - - - MEDIUM - - - - HIGH - - Low @@ -758,10 +588,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - ブロックの同期中 %1/%2 - Establishing connection... @@ -848,7 +674,7 @@ Clear - + クリア @@ -858,11 +684,7 @@ Generate payment ID for integrated address - - - - ReadOnly wallet integrated address displayed here - 読み取り専用ウォレットの統合アドレスがここに表示されます + 統合アドレス使うためにペイメントID作る @@ -872,7 +694,7 @@ Amount to receive - + 受ける金額 @@ -909,10 +731,6 @@ Payment ID ペイメントID - - PaymentID here - ここにペイメントIDを入力 - Generate @@ -957,22 +775,6 @@ Settings - - Click button to show seed - シードを表示するにはボタンをクリック - - - Mnemonic seed: - ニーモニックシード: - - - Show seed - シード表示 - - - Daemon adress - デーモンのアドレス - Manage wallet @@ -991,27 +793,27 @@ Show seed & keys - + シードと鍵を見せて Rescan wallet balance - + 残高を再スキャンする Error: - エラー: + エラー: Information - 情報 + 情報 Sucessfully rescanned spent outputs - 使用済みアウトプットの再スキャンを完了しました + 使用済みアウトプットの再スキャンを完了しました @@ -1036,7 +838,7 @@ Blockchain location - + ブロックチェーンの場所 @@ -1046,37 +848,37 @@ Please choose a folder - + フォルダを選んでください Warning - + 警告 Error: Filesystem is read only - + エラー: ファイルシステムは読み取り専用です Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. - + 警告: デバイスに使用できるギガバイトはわずか1%です。ブロックチェーンには2%以上が必要です。 Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. - + 備考: デバイスに使用できるギガバイトはわずか1%です。ブロックチェーンには2%以上が必要です。 Note: lmdb folder not found. A new folder will be created. - + lmdbのフォルダ見つかりませんでした。新しいの作ります。 Cancel - キャンセル + キャンセル @@ -1117,11 +919,7 @@ Connect - - - - Save - 保存 + コネクトする @@ -1141,7 +939,7 @@ (e.g. *:WARNING,net.p2p:DEBUG) - + (例えば *:WARNING,net.p2p:DEBUG) @@ -1163,10 +961,6 @@ Daemon log デーモンのログ - - Wallet mnemonic seed - ウォレットのニーモニックシード - @@ -1176,27 +970,27 @@ Wallet seed & keys - + ウォレットのシードとキー Secret view key - + ビューキー (秘密) Public view key - + ビューキー (公開) Secret spend key - + スペンドキー (秘密) Public spend key - + スペンドキー (公開) @@ -1315,7 +1109,7 @@ Ok - + Ok @@ -1342,16 +1136,36 @@ + Slow (x0.25 fee) + 遅い (.25倍の手数料) + + + + Default (x1 fee) + 既定 (標準の手数料) + + + + Fast (x5 fee) + 早い (5倍の手数料) + + + + Fastest (x41.5 fee) + 最速 (41.5倍の手数料) + + + All すべて - + Sent 出金 - + Received 入金 @@ -1363,14 +1177,10 @@ <b>Copy address to clipboard</b> <b>アドレスをクリップボードへコピー</b> - - <b>Send to same destination</b> - <b>このアドレスに送金</b> - <b>Send to this address</b> - + このアドレスに送る @@ -1408,18 +1218,6 @@ TickDelegate - - LOW - - - - MEDIUM - - - - HIGH - - Normal @@ -1436,13 +1234,6 @@ - - TitleBar - - Monero - Donations - モネロ - 寄付 - - Transfer @@ -1466,73 +1257,73 @@ - + Transaction cost 取引のコスト - + No valid address found at this OpenAlias address このOpenAliasアドレスに結びつけられた有効なアドレスが見つかりません All - すべて + すべて - + Slow (x0.25 fee) - + 遅い (.25倍の手数料) - + Default (x1 fee) - + 既定 (標準の手数料) - + Fast (x5 fee) - + 早い (5倍の手数料) - + Fastest (x41.5 fee) - + 最速 (41.5倍の手数料) - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed アドレスは見つかりましたが、DNSSEC署名が検証できませんでした。このアドレスは改ざんされている可能性があります。 - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed このOpenAliasアドレスに結びつけられた有効なアドレスが見つかりませんでしたが、DNSSEC署名が検証できませんでした。このアドレスは改ざんされている可能性があります。 - - + + Internal error 内部エラー - + No address found アドレスが見つかりません - + 16 or 64 hexadecimal characters 16文字または64文字の16進数の文字列 - + Description <font size='2'>( Optional )</font> 説明 <font size='2'>( オプショナル )</font> - + Saved to local wallet history ローカル上の履歴に保存されます @@ -1547,222 +1338,174 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>デーモンの開始</a><font size='2'>)</font> - all - 全額 - - - + Low (x1 fee) 低 (標準の手数料) - + Medium (x20 fee) 中 (20倍の手数料) - + High (x166 fee) 高 (166倍の手数料) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> アドレス <font size='2'> ( 貼り付けるか、</font> <a href='#'>アドレス帳</a><font size='2'>から選択 )</font> - + QR Code QRコード - + Resolve 名前解決 - + Send 送金 - + Show advanced options 高度な設定を表示 - + Sweep Unmixable - + ミックス不能なアウトプットをスイープする - + Create tx file 取引ファイルを生成 - + Sign tx file 取引ファイルに署名 - + Submit tx file 取引ファイルを送信 - - + + Error エラー - Error: - エラー: - - - + Information 情報 - Sucessfully rescanned spent outputs - 使用済みアウトプットの再スキャンを完了しました - - - - + + Please choose a file ファイルを選択してください - + Can't load unsigned transaction: 未署名の取引を読み込めませんでした - + Number of transactions: 取引の数: - + Transaction #%1 取引 #%1 - + Recipient: 受取人: - + payment ID: ペイメントID: - + Amount: 金額: - + Fee: 手数料: - + Ringsize: リングサイズ: - + Confirmation 確認 - + Can't submit transaction: 取引を送信できません - + Money sent successfully 送金に成功しました - - + + Wallet is not connected to daemon. ウォレットがデーモンに接続していません - - Connected daemon is not compatible with GUI. + + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon 接続しているデーモンにGUIとの互換性がありません。 デーモンを更新するか、他のデーモンに接続してください。 - + Waiting on daemon synchronization to finish 同期が終了するのを待っています - Amount... - 金額... - - - LOW - - - - MEDIUM - MITTEL - - - HIGH - - - - Privacy Level - プライバシーレベル - - - Cost - コスト - - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> アドレス <font size='2'> (タイプするか、</font> <a href='#'>アドレス帳</a><font size='2'> から選択してください )</font> - - - + Payment ID <font size='2'>( Optional )</font> ペイメントID <font size='2'>( オプショナル )</font> - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - 説明 <font size='2'>( オプショナル: 何か記述するとアドレス帳に保存されます )</font> - - - SEND - 送金 - TxKey @@ -1837,11 +1580,7 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? - - - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - ウォレットを復元する際に必要となる唯一の情報ですので、必ず書き写してください。正しく書き写したことを確認するために、次の画面でシードの入力を求められます。 + モネロのブロックチェーンを初期化しますか? @@ -1879,14 +1618,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - あなたの新しいウォレットが作成されました - - - This is the 25 word mnemonic for your wallet - これがあなたのウォレットを復元するための25個のニーモニック単語です - Create a new wallet @@ -1928,54 +1659,6 @@ Please upgrade or connect to another daemon WizardFinish - - <b>Language:</b> - <b>言語:</b> - - - <b>Account name:</b> - <b>アカウント名:</b> - - - <b>Words:</b> - <b>ワード:</b> - - - <b>Wallet Path: </b> - <b>ウォレットのパス: </b> - - - <b>Enable auto donation: </b> - <b>自動での寄付を有効化: </b> - - - <b>Auto donation amount: </b> - <b>自動で寄付する金額: </b> - - - <b>Allow background mining: </b> - <b>バックグラウンドでの採掘を許可する: </b> - - - <b>Daemon address: </b> - デーモンのアドレス: - - - <b>testnet: </b> - テストネット: - - - <b>Restore height: </b> - 復元するブロックの高さ: - - - An overview of your Monero configuration is below: - モネロの設定情報は以下の通りです: - - - You’re all setup! - 準備が完了しました! - @@ -2070,7 +1753,7 @@ Please upgrade or connect to another daemon - The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: + The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: %1 ViewOnlyウォレットが作成されました。これを開くには現在のウォレットを閉じて、"ファイルからウォレットを開く" オプションから、このViewOnlyウォレットを選択してください: %1 @@ -2088,18 +1771,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - 以下がウォレットの名前になります。必要に応じて変更してください。 - - - My account name - アカウント名: - - - Restore height - 復元するブロックの高さ - Wallet name @@ -2148,10 +1819,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - ウォレットを復元する際に必要となる唯一の情報ですので、必ず書き写してください。正しく書き写したことを確認するために、次の画面でシードの入力を求められます。 - Enter your 25 word mnemonic seed @@ -2195,18 +1862,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) カスタムデーモンアドレス (オプショナル) - - This is my first time, I want to<br/>create a new account - 初めて使うので、新しく<br/>アカウントを作成します - - - I want to recover my account<br/>from my 25 word seed - 25個のニーモニックシードから<br/>アカウントを復元します - - - Please setup daemon address below. - デーモンのアドレスを下記に指定してください - Testnet @@ -2215,28 +1870,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - ウォレットが作成されましたので、パスワードを設定してください - - - Now that your wallet has been restored, please set a password for the wallet - ウォレットが復元されましたので、パスワードを設定してください - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - 注意: このパスワードを忘れてしまった場合、先ほど表示された25個のニーモニックシードを使ってウォレットを復元する以外に、ウォレットにアクセスする方法はありません。<br/><br/> - このパスワードはあなたのウォレットを保護し、また重要な操作の際に確認をするために使われますので、十分に安全性の高いパスワードを設定してください。 - - - Password - パスワード - - - Confirm password - パスワードの確認 - @@ -2247,13 +1880,8 @@ Please upgrade or connect to another daemon <br>Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - - - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - このパスワードは復元できません。もしパスワードを忘れてしまった場合は、25個のニーモニックシードからウォレットを復元する必要があります。<br/><br/> - <b>パスワードを入力してください</b> (半角英数字と記号を使用できます): + <br>備考: 作る後でこのパスワードは復元できませんよ。 パスワードを忘れてしまった場合、ウォレットはウォレットの25語ニーモニックシードで復元する必要があります。<br/><br/> + <b>強力なパスワードを入力してください。</b> (文字、番号、記号を使えます): @@ -2271,18 +1899,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - My account name - アカウント名 - - - We're ready to recover your account - アカウントを復元する準備ができました - - - Please enter your 25 word private key - 25個の秘密のキーワードを入力してください - Restore wallet @@ -2291,10 +1907,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - ようこそ - Welcome to Monero! @@ -2327,10 +1939,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: ウォレットを開けませんでした: - - Synchronizing blocks %1 / %2 - ブロックを同期中 %1 / %2 - Amount is wrong: expected number from %1 to %2 @@ -2480,14 +2088,6 @@ Ringsize: New version of monero-wallet-gui is available: %1<br>%2 新しいバージョンのmonero-wallet-guiを入手できます: %1<br>%2 - - Please confirm transaction: - - - 取引内容を確認してください: - - - @@ -2501,12 +2101,6 @@ Address: Payment ID: ペイメントID: - - - -Amount: - -金額: @@ -2547,10 +2141,6 @@ Description: Information 情報 - - Money sent successfully - 送金に成功しました - Please wait... @@ -2561,19 +2151,11 @@ Description: Monero モネロ - - Initializing Wallet... - ウォレットを初期化しています... - Program setup wizard プログラムセットアップウィザード - - Monero - Donations - モネロ - 寄付 - send to the same destination diff --git a/translations/monero-core_ko.ts b/translations/monero-core_ko.ts new file mode 100644 index 00000000..6d7c43ed --- /dev/null +++ b/translations/monero-core_ko.ts @@ -0,0 +1,2155 @@ + + + + + AddressBook + + + Add new entry + 새 항목 추가 + + + + Address + 주소 + + + + QRCODE + QR코드 + + + + 4... + + + + + Payment ID <font size='2'>(Optional)</font> + 결제 신분증 <font size='2'>(선택 항목)</font> + + + + Paste 64 hexadecimal characters + 64 자리 16 진수 문자 붙여 넣기 + + + + Description <font size='2'>(Optional)</font> + 설명 <font size='2'>(선택 항목)</font> + + + + Give this entry a name or description + 이 항목에 이름 또는 설명 제공 + + + + Add + 추가 + + + + Error + 오류 + + + + Invalid address + 잘못된 주소 + + + + Can't create entry + 항목을 만들 수 없습니다 + + + + AddressBookTable + + + No more results + 결과가 더 이상 없음 + + + + Payment ID: + 결제 신분증: + + + + BasicPanel + + + Locked Balance: + 잠김 된 잔액: + + + + 78.9239845 + 78.9239845 + + + + Available Balance: + 사용 가능한 잔액: + + + + 2324.9239845 + 2324.9239845 + + + + DaemonConsole + + + Close + 닫기 + + + + command + enter (e.g help) + 명령 + 들어가다 (예: 도움) + + + + DaemonManagerDialog + + + Starting Monero daemon in %1 seconds + %1 초 내에 모네로 데몬 시작하기 + + + + Start daemon (%1) + 데몬 시작 (%1) + + + + Use custom settings + 사용자 정의 설정 사용 + + + + Dashboard + + + Quick transfer + 빠른 전송 + + + + SEND + 전송하기 + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> looking for security level and address book? go to <a href='#'>Transfer</a> tab + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> looking for security level and address book? go to <a href='#'>Transfer</a> tab + + + + DashboardTable + + + No more results + 결과가 더 이상 없음 + + + + Date + 날짜 + + + + Balance + 잔액 + + + + Amount + 금액 + + + + History + + + selected: + 선택된: + + + + Filter transaction history + 거래 내역 정렬 + + + + Type for incremental search... + 증분 검색 유형... + + + + Filter + 정렬 + + + + Date from + 에서 날짜 + + + + + To + 에게 + + + + Advanced filtering + 고급 정렬 + + + + Type of transaction + 거래 유형 + + + + Amount from + 부터금액 + + + + HistoryTable + + + Tx ID: + 거래 신분증: + + + + + Payment ID: + 결제 신분증: + + + + Tx key: + 거래 건: + + + + Tx note: + 거래 참고 + + + + Destinations: + 목적지: + + + + No more results + 결과가 더 이상 없음 + + + + Details + 명세 + + + + BlockHeight: + 블록헤이트: + + + + (%1/%2 confirmations) + (%1/10 확인) {1/%2 ?} + + + + UNCONFIRMED + 확인되지 않음 + + + + PENDING + 보류 중 + + + + Date + 날짜 + + + + Amount + 금액 + + + + Fee + 수수료 + + + + LeftPanel + + + Balance + 잔액 + + + + Unlocked balance + 잠겨 있지 않은 잔액 + + + + Send + 전송 + + + + Receive + 받다 + + + + History + 연대기 + + + + Testnet + 테스트 넷 + + + + S + + + + + Address book + 주소록 + + + + B + + + + + R + + + + + H + + + + + Advanced + 고급 + + + + D + + + + + Mining + 마이닝 + + + + M + + + + + Check payment + 결제 확인 + + + + K + + + + + Sign/verify + 서명/확인 + + + + I + + + + + Settings + 조정 + + + + E + + + + + MiddlePanel + + + Balance + 잔액 + + + + Unlocked Balance + 잠겨 있지 않은 잔액 + + + + Mining + + + Solo mining + 혼자 마이닝 + + + + (only available for local daemons) + (로컬 데몬에서만 사용 가능) + + + + Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! + 컴퓨터 마이닝은 모네로 네트워크를 강화합니다. 마이닝은 네트워크 공격을 더욱 어렵게 만들고 네트워크를 강화합니다. 마이닝은 약간의 모네로를 벌 수있는 작은 기회를 제공합니다. 컴퓨터가 블록 솔루션을 찾는 해시를 만듭니다. 블록을 찾으면 관련 보상을 받게됩니다. 행운을 빕니다! + + + + CPU threads + CPU 쓰레드 + + + + (optional) + (선택 항목) + + + + Background mining (experimental) + 배경 마이닝 (실험적) + + + + Enable mining when running on battery + 배터리로 실행할 때 마이닝 사용 + + + + Manage miner + 마이닝 관리 + + + + Start mining + 마이닝 시작 + + + + Error starting mining + 마이닝 시작 중 오류 발생 + + + + Couldn't start mining.<br> + 마이닝을 시작할 수 없습니다.<br> + + + + Mining is only available on local daemons. Run a local daemon to be able to mine.<br> + 마이닝은 로컬 데몬에서만 사용할 수 있습니다. 로컬 데몬을 실행하여 마이닝을 활성화합니다.<br> + + + + Stop mining + 마이닝 중지 + + + + Status: not mining + 상태: 마이닝중이 아님 + + + + Mining at %1 H/s + 마이닝 %1 H/s + + + + Not mining + 마이닝중이 아님 + + + + Status: + 상태: + + + + MobileHeader + + + Unlocked Balance: + 잠겨 있지 않은 잔액 + + + + NetworkStatusItem + + + Synchronizing + 동기화 중 + + + + Connected + 연결됨 + + + + Wrong version + 잘못된 버전 + + + + Disconnected + 연결이 끊어짐 + + + + Invalid connection status + 잘못된 연결 상태 + + + + Network status + 네트워크 상태 + + + + PasswordDialog + + + Please enter wallet password + 지갑 비밀번호를 입력하세요 + + + + Please enter wallet password for:<br> + 다음을 위해 지갑 비밀번호를 입력하세요 :<br> + + + + Cancel + 취소 + + + + Ok + 승인 + + + + PrivacyLevelSmall + + + Low + 낮은 + + + + Medium + 중간 + + + + High + 높은 + + + + ProgressBar + + + Establishing connection... + 연결 중... + + + + Blocks remaining: %1 + 남아있는 블록: % 1 + + + + Synchronizing blocks + 블록 동기화 + + + + Receive + + + Invalid payment ID + 잘못된 결제 신분증 + + + + WARNING: no connection to daemon + 경고: 데몬에 연결되지 않았습니다. + + + + in the txpool: %1 + 트랜잭션 풀에서: %1 + + + + %2 confirmations: %3 (%1) + %2 확인: %3 (%1) + + + + 1 confirmation: %2 (%1) + 1 확인: %2 (%1) + + + + No transaction found yet... + 발견된 거래 없음... + + + + Transaction found + 거래 발견 + + + + %1 transactions found + %1 거래 발견 + + + + with more money (%1) + 더 많은 돈으로 (%1) + + + + with not enough money (%1) + 충분하지 않은 돈으로 (%1) + + + + Address + 주소 + + + + ReadOnly wallet address displayed here + 표시된 읽기 전용 월렛 주소 + + + + 16 hexadecimal characters + 16 자리 16 진수 + + + + Clear + 명확한 + + + + Integrated address + 통합 주소 + + + + Amount to receive + 받을 금액 + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> + + + + Tracking payments + 결제 추적 + + + + <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> + + + + + Save QrCode + Qr코드 저장 + + + + Failed to save QrCode to + Qr코드를 저장하지 못했습니다 + + + + Save As + 다른 이름으로 저장 + + + + Payment ID + 결제 신분증 + + + + Generate + 생성 + + + + Generate payment ID for integrated address + 통합 주소에 대한 결제 신분증 생성 + + + + Amount + 금액 + + + + RightPanel + + + Twitter + 트위터 + + + + News + 뉴스 + + + + Help + 도움 + + + + About + 통지 + + + + SearchInput + + + Search by... + 로 검색... + + + + SEARCH + 찾다 + + + + Settings + + + Create view only wallet + 보기 전용 지갑 만들기 + + + + Manage daemon + 데몬 관리 + + + + Start daemon + 데몬 시작 + + + + Stop daemon + 데몬 중지 + + + + Show status + 상태 표시 + + + + Daemon startup flags + 데몬 시작 플래그 + + + + + (optional) + (선택 항목) + + + + Show seed & keys + 시드 키 표시 + + + + Rescan wallet balance + 지갑 금액 다시 스캔하기 + + + + Error: + 오류: + + + + Information + 정보 + + + + Sucessfully rescanned spent outputs + 소비 된 출력물이 성공적으로 다시 스캔되었습니다. + + + + Blockchain location + 블록체인 위치 + + + + Daemon address + 데몬 주소 + + + + Hostname / IP + 호스트 이름 / IP + + + + Port + 포트 + + + + Login (optional) + 로그인 (선택 항목) + + + + Username + 사용자 이름 + + + + Password + 암호 + + + + Connect + 연결 + + + + Layout settings + 레이아웃 설정 + + + + Custom decorations + 맞춤 장식 + + + + Log level + 로그 레벨 + + + + (e.g. *:WARNING,net.p2p:DEBUG) + (예: *:WARNING,net.p2p:DEBUG) + + + + Version + 버전 + + + + GUI version: + GUI 버전: + + + + Embedded Monero version: + 임베디드 모네로 버전: + + + + Daemon log + 데몬 로그 + + + + Please choose a folder + 폴더를 선택하세요 + + + + Warning + 경고 + + + + Error: Filesystem is read only + 오류: 파일 시스템은 읽기 전용 임 + + + + Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. + 경고 : 장치에 사용 가능한 공간은 %1 GB뿐입니다. 블록체인에는 ~ %2 GB의 데이터가 필요합니다. + + + + Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. + 참고: %1 GB의 장치를 사용할 수 있습니다. 블록체인에는 ~ %2 GB의 데이터가 필요합니다. + + + + Note: lmdb folder not found. A new folder will be created. + 참고: lmdb 폴더를 찾을 수 없습니다. 새 폴더가 생성됩니다. + + + + Cancel + 취소 + + + + + Error + 오류 + + + + Wallet seed & keys + 지갑 시드 키 + + + + Secret view key + 비밀보기 키 + + + + Public view key + 공개보기 키 + + + + Secret spend key + 비밀 지급 키 + + + + Public spend key + 공개 지급 키 + + + + Wrong password + 잘못된 암호 + + + + Manage wallet + 지갑 관리 + + + + Close wallet + 지갑 닫기 + + + + Sign + + + Good signature + 좋은 서명 + + + + This is a good signature + 좋은 서명입니다 + + + + Bad signature + 나쁜 서명 + + + + This signature did not verify + 이 서명은 확인 되지 않았습니다. + + + + Sign a message or file contents with your address: + 귀하의 주소로 메시지 또는 파일 내용와 함께 서명하십시오: + + + + + Either message: + 어느 쪽이든 메시지: + + + + Message to sign + 서명 할 메시지 + + + + + Sign + 서명 + + + + Please choose a file to sign + 서명 할 파일을 선택하세요 + + + + + Select + 선택 + + + + + Verify + 확인 + + + + Please choose a file to verify + 확인할 파일을 선택하세요 + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> + 서명할 주소 <font size='2'> (선택 또는 붙여 넣기 </font> <a href='#'>주소록</a><font size='2'> )</font> + + + + + Or file: + 또는 파일 : + + + + Filename with message to sign + 서명 할 메시지가있는 파일 이름 + + + + + + + Signature + 서명 + + + + Verify a message or file signature from an address: + 메시지 나 파일의 서명을 주소로부터 확인합니다 + + + + Message to verify + 확인을 위한 메시지 + + + + Filename with message to verify + 확인할 메시지가있는 파일 이름 + + + + StandardDialog + + + Ok + 승인 + + + + Cancel + 취소 + + + + StandardDropdown + + + Low (x1 fee) + 낮은 (x1 보상) + + + + Medium (x20 fee) + 중간 (x20 보상) + + + + High (x166 fee) + 높은 (x166 보상) + + + + Slow (x0.25 fee) + 느린 (x0.25 보상) + + + + Default (x1 fee) + 체납 (x1 보상) + + + + Fast (x5 fee) + 빠른 (x5 보상) + + + + Fastest (x41.5 fee) + 가장 빠른 (x41.5 보상) + + + + All + 전부 + + + + Sent + 전송됨 + + + + Received + 받음 + + + + TableDropdown + + + <b>Copy address to clipboard</b> + <b>주소를 클립 보드에 복사</b> + + + + <b>Send to this address</b> + <b>주소로 보내기</b> + + + + <b>Find similar transactions</b> + <b>비슷한 거래 찾기</b> + + + + <b>Remove from address book</b> + <b>주소록에서 제거</b> + + + + TableHeader + + + Payment ID + 결제 신분증 + + + + Date + 날짜 + + + + Block height + 블록헤이트 + + + + Amount + 금액 + + + + TickDelegate + + + Normal + 표준 + + + + Medium + 중간 + + + + High + 높은 + + + + Transfer + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Start daemon</a><font size='2'>)</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'> 데몬 시작</a><font size='2'>)</font> + + + + OpenAlias error + Open Alias 오류 + + + + Privacy level (ringsize %1) + 개인 정보 보호 수준 (링 사이즈 %1) + + + + Amount + 금액 + + + + Transaction priority + 거래 우선 순위 + + + + All + 전부 + + + + Low (x1 fee) + 낮은 (x1 보상) + + + + Medium (x20 fee) + 중간 (x20 보상) + + + + High (x166 fee) + 높은 (x166 보상) + + + + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 주소 <font size='2'> (에 붙여 넣기 또는에서 선택 </font> <a href='#'>주소록</a><font size='2'> )</font> + + + + QR Code + QR 코드 + + + + Resolve + 해결 + + + + No valid address found at this OpenAlias address + 이 Open Alias 주소에 유효한 주소가 없습니다 + + + + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed + 주소가 발견되었으나 DNSSEC 서명이 확인되지 않습니다. 이 주소는 스푸핑(spoof)되었을 수 있습니다 + + + + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed + 이 Open Alias 주소에서 유효한 주소 또는 DNSSEC 서명을 확인할 수 없습니다. 이 주소는 스푸핑(spoof)되었을 수 있습니다 + + + + + Internal error + 내부 오류 + + + + No address found + 주소를 찾을 수 없음 + + + + Description <font size='2'>( Optional )</font> + 설명 <font size='2'>( 선택 사항 )</font> + + + + Saved to local wallet history + 로컬 지갑 기록에 저장됨 + + + + Send + 전송 + + + + Show advanced options + 고급 옵션 표시 + + + + Sweep Unmixable + 혼합 할 수없는 쓸기 + + + + Create tx file + 거래 서류철 만들기 + + + + Sign tx file + 거래 서류철 제출 서명해 + + + + Submit tx file + 거래 서류철 제출 + + + + + Error + 오류 + + + + +Number of transactions: + 거래 수: + + + + +Transaction #%1 + + + + + +Recipient: + 수신자: + + + + +payment ID: + 결제 신분증: + + + + +Amount: + 금액: + + + + +Ringsize: + 반지 사이즈: + + + + Information + 정보 + + + + + Please choose a file + 파일을 선택하세요 + + + + Can't load unsigned transaction: + 서명되지 않은 거래를 불러올 수 없습니다: + + + + +Fee: + 수수료: + + + + Confirmation + 확인 + + + + Can't submit transaction: + 거래를 전송할 수 없습니다: + + + + Money sent successfully + 송금 완료 + + + + + Wallet is not connected to daemon. + 지갑이 데몬에 연결되어있지 않습니다. + + + + Connected daemon is not compatible with GUI. +Please upgrade or connect to another daemon + 연결된 데몬은 GUI와 호환되지 않습니다. 다른 데몬으로 업그레이드하거나 연결하세요. + + + + Waiting on daemon synchronization to finish + 데몬 동기화가 완료 될 때까지 기다림 + + + + + + + + + Transaction cost + 거래 비용 + + + + Payment ID <font size='2'>( Optional )</font> + 결제 신분증 <font size='2'>( 선택 사항 )</font> + + + + Slow (x0.25 fee) + 느린 (x0.25 수수료) + + + + Default (x1 fee) + 디폴트 (x1 수수료) + + + + Fast (x5 fee) + 빠른 (x5 수수료) + + + + Fastest (x41.5 fee) + 가장 빠른 (x41.5 수수료) + + + + 16 or 64 hexadecimal characters + 16 또는 64 자의 16 진수 + + + + TxKey + + + Verify that a third party made a payment by supplying: + 타사 결제를 한 것으로 확인 공급함으로써 : + + + + - the recipient address + - 수신자 주소 + + + + - the transaction ID + - 거래 신분증 + + + + - the secret transaction key supplied by the sender + - 송신자가 제공 한 비밀 거래 키 + + + + If a payment had several transactions then each must be checked and the results combined. + 결제에 여러 거래가있는 경우 각각을 점검하고 결과를 결합해야합니다. + + + + Address + 주소 + + + + Recipient's wallet address + 수취인의 지갑 주소 + + + + Transaction ID + 거래 신분증 + + + + Paste tx ID + 붙여 넣기 거래 신분증 + + + + Paste tx key + 거래 키 붙여 넣기 + + + + Check + 검사 + + + + Transaction key + 거래 키 + + + + WalletManager + + + Unknown error + + + + + WizardConfigure + + + We’re almost there - let’s just configure some Monero preferences + 거의 다 왔습니다 - 선호하는 모네로 환경 설정을 구성 해 보세요. + + + + Kickstart the Monero blockchain? + 모네로 블록 체인을 시작하세요? + + + + It is very important to write it down as this is the only backup you will need for your wallet. + 이것이 귀하의 지갑에 필요한 유일한 백업이기 때문에 적어 두는 것이 매우 중요합니다. + + + + Enable disk conservation mode? + 디스크 절약 모드 사용? + + + + Disk conservation mode uses substantially less disk-space, but the same amount of bandwidth as a regular Monero instance. However, storing the full blockchain is beneficial to the security of the Monero network. If you are on a device with limited disk space, then this option is appropriate for you. + 디스크 절약 모드는 매우 적은 디스크 공간을 사용하지만 일반 모네로 인스턴스와 같은 양의 대역폭을 사용합니다. 그러나 전체 블록 체인을 저장하면 모네로 네트워크를 보호하는 데 도움이됩니다. 이 옵션은 디스크 공간이 제한적인 장치에 적합합니다. + + + + Allow background mining? + 백그라운드에서 마이닝을 허용 하시겠습니까? + + + + Mining secures the Monero network, and also pays a small reward for the work done. This option will let Monero mine when your computer is on mains power and is idle. It will stop mining when you continue working. + 마이닝은 모네로 네트워크를 보호하고 수행 한 작업에 대해 작은 보상을 지불합니다. 이 옵션은 당신의 컴퓨터가 전원에 연결되어 있고 게다가 유휴 상태 일 때 자동으로 모네로의 채굴을 할 수 있도록합니다. 당신이 작업을 다시 시작하면 채굴은 중지됩니다. + + + + WizardCreateViewOnlyWallet + + + Create view only wallet + 보기 전용 지갑 만들기 + + + + WizardCreateWallet + + + Create a new wallet + 새 지갑 만들기 + + + + WizardDonation + + + Monero development is solely supported by donations + 모네로 개발은 전적으로 기부금으로 지원됩니다 + + + + Enable auto-donations of? + 자동으로 기부를 활성화 하시겠습니까? + + + + % of my fee added to each transaction + 각 거래에 추가 된 수수료의 비율 + + + + For every transaction, a small transaction fee is charged. This option lets you add an additional amount, as a percentage of that fee, to your transaction to support Monero development. For instance, a 50% autodonation take a transaction fee of 0.005 XMR and add a 0.0025 XMR to support Monero development. + 모든 거래에 대해 작은 수수료가 부과됩니다. 이 옵션은 수수료 이외에 수수료의 몇 퍼센트를 모네로의 개발 팀에 기부금으로 결제하는 것을 허용합니다. 예를 들어, 자동 기부율이 50 %이고 거래 수수료가 0.005 XMR이면 0.0025 XMR이 개발 팀에 대한 기부로 거래에 추가됩니다. + + + + Allow background mining? + 백그라운드에서 마이닝을 허용 하시겠습니까? + + + + Mining secures the Monero network, and also pays a small reward for the work done. This option will let Monero mine when your computer is on mains power and is idle. It will stop mining when you continue working. + 마이닝은 모네로 네트워크를 보호하고 수행 한 작업에 대해 작은 보상을 지불합니다. 이 옵션은 당신의 컴퓨터가 전원에 연결되어 있고 게다가 유휴 상태 일 때 자동으로 모네로의 채굴을 할 수 있도록합니다. 당신이 작업을 다시 시작하면 채굴은 중지됩니다. + + + + WizardFinish + + + + + Enabled + 활성화됨 + + + + + + Disabled + 비활성화됨 + + + + Language + 언어 + + + + Wallet name + 지갑 이름 + + + + Backup seed + 백업 시드 + + + + Wallet path + 지갑 경로 + + + + Daemon address + 데몬 주소 + + + + Testnet + 테스트 넷 + + + + Restore height + 높이 복원 + + + + New wallet details: + 새 지갑 세부 정보: + + + + Don't forget to write down your seed. You can view your seed and change your settings on settings page. + 당신의 시드(seed)을 적어 두는 것을 잊지 마십시오. 시드를보고 설정 페이지에서 설정을 변경할 수 있습니다. + + + + You’re all set up! + 모든 준비가되었습니다! + + + + WizardMain + + + A wallet with same name already exists. Please change wallet name + 동명의 지갑이 이미 존재합니다. 지갑 이름을 변경하세요. + + + + Non-ASCII characters are not allowed in wallet path or account name + ASCII(미국 문자 표준코드체계)가 아닌 문자는 지갑 경로 이름 또는 파일 이름으로 허용되지 않습니다. + + + + USE MONERO + 모네로를 사용 + + + + Create wallet + 지갑 만들기 + + + + Success + 성공 + + + + The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: +%1 + 보기 전용 지갑이 생성되었습니다. 이것을 열려면 현재의 지갑을 닫고 "파일 옵션에서 지갑을 열고" 보기 전용 지갑을 선택하세요: +%1 + + + + Error + 오류 + + + + Abort + 중단 + + + + WizardManageWalletUI + + + Wallet name + 지갑 이름 + + + + Restore from seed + 시드(seed)에서 복원 + + + + Restore from keys + 키에서 복원 + + + + Account address (public) + 계정 주소 (공개) + + + + View key (private) + 보기 키 (비공개) + + + + Spend key (private) + 지급 키 (비공개) + + + + Restore height (optional) + 블록 높이 복원 (선택 항목) + + + + Your wallet is stored in + 지갑이에 저장되어 위치 + + + + Please choose a directory + 디렉토리를 선택하세요 + + + + WizardMemoTextInput + + + Enter your 25 word mnemonic seed + 귀하의 25 단어 니모닉 시드을 입력하세요 + + + + This seed is <b>very</b> important to write down and keep secret. It is all you need to backup and restore your wallet. + 지갑의 백업 및 복원에 필요한 유일한 정보인 이 시드를 받아 적어, 보안이 되는 안전한 장소에 보관 하는것은 <b>매우 </b> 중요합니다. + + + + WizardOptions + + + Welcome to Monero! + 모네로에 오신 것을 환영합니다! + + + + Please select one of the following options: + 다음 옵션 중 하나를 선택하세요: + + + + Create a new wallet + 새 지갑 만들기 + + + + Restore wallet from keys or mnemonic seed + 니모닉 시드 또는 개인 키에서 지갑을 복원 + + + + Open a wallet from file + 파일에서 지갑 열기 + + + + Custom daemon address (optional) + 사용자 지정 데몬 주소 (선택 항목) + + + + Testnet + 테스트 넷 + + + + WizardPassword + + + + Give your wallet a password + 지갑의 비밀번호를 설정하세요 + + + + <br>Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> + <b>Enter a strong password</b> (using letters, numbers, and/or symbols): + <br>참고: 이 암호는 복구 될 수 없으며, 지갑분실시 25 단어 니모닉 시드에서 지갑을 복원해야합니다.<br/><br/> + <b>강력한 비밀번호를 입력하세요</b> (문자, 숫자 및/또는 기호 사용): + + + + WizardPasswordUI + + + Password + 비밀번호 + + + + Confirm password + 비밀번호 확인 + + + + WizardRecoveryWallet + + + Restore wallet + 지갑 복원 + + + + WizardWelcome + + + Welcome to Monero! + 모네로에 오신 것을 환영합니다! + + + + Please choose a language and regional format. + 언어와 지역 포맷을 선택하세요. + + + + main + + + + + + + + + + + + Error + 오류 + + + + Couldn't open wallet: + 지갑을 열 수 없습니다: + + + + Unlocked balance (waiting for block) + 잠금 해제 된 잔액 (블록 대기 중) + + + + Unlocked balance (~%1 min) + 잠금 해제 된 잔액 (~%1 분) + + + + Unlocked balance + 잠겨 있지 않은 잔액 + + + + Waiting for daemon to start... + 데몬이 시작될 때까지 기다리는 중... + + + + Waiting for daemon to stop... + 데몬이 멈출 때까지 기다리는 중... + + + + Daemon failed to start + 데몬 시작에 실패했습니다 + + + + Please check your wallet and daemon log for errors. You can also try to start %1 manually. + 지갑과 데몬 로그에서 오류를 확인하십시오. 수동으로 %1을 시작할 수도 있습니다. + + + + Can't create transaction: Wrong daemon version: + 잘못된 데몬 버전으로 거래를 만들 수 없습니다: + + + + + Can't create transaction: + 거래를 만들 수 없습니다: + + + + + No unmixable outputs to sweep + 스윕 할 비혼합 가능한 출력이 없습니다 + + + + + Confirmation + 확인 + + + + + Please confirm transaction: + + 거래 내용을 확인하세요: + + + + +Address: + 주소: + + + + +Payment ID: + 결제 신분증: + + + + + + +Amount: + 금액: + + + + + +Fee: + 수수료: + + + + + +Ringsize: + 링사이즈: + + + + This address received %1 monero, with %2 confirmation(s). + 이 주소로 % 1XMR을 받아, % 2 로 승인되었습니다. + + + + Daemon is running + 데몬이 실행 중입니다 + + + + Daemon will still be running in background when GUI is closed. + GUI가 닫혀도 데몬은 백그라운드에서 계속 실행됩니다. + + + + Stop daemon + 데몬 중지 + + + + New version of monero-wallet-gui is available: %1<br>%2 + monero-wallet-gui의 새 버전을 사용할 수 있습니다: %1<br>%2 + + + + +Number of transactions: + 거래 수: + + + + + +Description: + 설명: + + + + Amount is wrong: expected number from %1 to %2 + 금액이 잘못되었습니다 : % 1에서 % 2까지의 예상 숫자 + + + + Insufficient funds. Unlocked balance: %1 + 불충분 한 자금. 잠금 해제 된 잔액: %1 + + + + Couldn't send the money: + 돈을 전송하지 못했습니다. + + + + Information + 정보 + + + + Money sent successfully: %1 transaction(s) + 송금 완료: %1 거래(들) + + + + Transaction saved to file: %1 + 거래 데이터를 파일에 저장되었습니다: %1 + + + + Payment check + 결제 확인 + + + + This address received %1 monero, but the transaction is not yet mined + 이 주소는 % 1XMR을 받았지만, 거래는 아직 채굴되지 않습니다 + + + + This address received nothing + 이 주소는 아무것도받지 못했습니다 + + + + Balance (syncing) + 잔액 (동기화) + + + + Balance + 잔액 + + + + Please wait... + 기다려주십시오... + + + + Program setup wizard + 프로그램 설치 마법사 + + + + Monero + 모네로 + + + + send to the same destination + 동일한 대상에 송금하기 + + + diff --git a/translations/monero-core_nl.ts b/translations/monero-core_nl.ts index 081d0b9d..11247375 100644 --- a/translations/monero-core_nl.ts +++ b/translations/monero-core_nl.ts @@ -14,93 +14,62 @@ Adres - - <b>Tip tekst test</b> - - - - + QRCODE QRCODE - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> Betaal-ID <font size='2'>(Optioneel)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Betaal-ID</b><br/><br/>Een unieke gebruikersnaam die gebruikt wordt in<br/>het adresboek. Deze wordt niet gebruikt voor<br/>het verzenden van informatie;br/>tijdens de transfer - - - + Paste 64 hexadecimal characters Plak 64 hexadecimale karakters - + Description <font size='2'>(Optional)</font> Omschrijving <font size='2'>(Optioneel)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Geef deze vermelding een naam of omschrijving - + Add Toevoegen - + Error Fout - + Invalid address Ongeldig adres - + Can't create entry Kan vermelding niet opslaan - - Description <font size='2'>(Local database)</font> - Beschrijving <font size='2'>(Lokale database)</font> - - - ADD - NIEUW - - - Payment ID - Betaal-ID - - - Description - Beschrijving - AddressBookTable No more results - Geen verdere resultaten + Verder geen resultaten @@ -113,12 +82,12 @@ Locked Balance: - Onbeschikbaar saldo: + Vergrendeld saldo: 78.9239845 - + 78,9239845 @@ -128,7 +97,7 @@ 2324.9239845 - + 2324,9239845 @@ -141,23 +110,11 @@ command + enter (e.g help) - commando + enter (b.v. help) + opdracht + enter (b.v. help) DaemonManagerDialog - - Daemon doesn't appear to be running - Node lijkt niet actief te zijn - - - Start daemon - Node starten - - - Cancel - Annuleren - Starting Monero daemon in %1 seconds @@ -174,17 +131,6 @@ Gebruik aangepaste instellingen - - DaemonProgress - - Synchronizing blocks %1/%2 - Blokken synchroniseren %1/%2 - - - Synchronizing blocks - Blokken synchroniseren - - Dashboard @@ -208,7 +154,7 @@ No more results - Geen verdere resultaten + Verder geen resultaten @@ -228,15 +174,6 @@ History - - - - - - - <b>Tip tekst test</b> - - Filter transaction history @@ -248,63 +185,38 @@ geselecteerd: - - <b>Total amount of selected payments</b> - <b>Totaalbedrag van geselecteerde betalingen</b> - - - + Filter Filteren - Incremental search - Incrementeel zoeken - - - Search transfers for a given string - Betalingen zoeken met een bepaalde term - - - Type search string - Zoekterm ingeven - - - + Type for incremental search... Begin te typen voor incrementeel zoeken... - + Date from - Startdatum + Datum van - - + + To Tot - FILTER - FILTEREN - - - + Advanced filtering Geavanceerd filteren - Advance filtering - Geavanceerd filteren - - - + Type of transaction Soort transactie - + Amount from Bedrag van @@ -314,7 +226,7 @@ No more results - Geen verdere resultaten + Verder geen resultaten @@ -390,21 +302,11 @@ Balance Saldo - - - Test tip 1<br/><br/>line 2 - - Unlocked balance Beschikbaar saldo - - - Test tip 2<br/><br/>line 2 - - Send @@ -420,10 +322,6 @@ R R - - Verify payment - Betaling controleren - K @@ -483,7 +381,7 @@ Sign/verify - Signeren/verifiëren + Ondertekenen/verifiëren @@ -508,14 +406,6 @@ MiddlePanel - - Balance: - Saldo: - - - Unlocked Balance: - Beschikbaar Saldo: - Balance @@ -524,7 +414,7 @@ Unlocked Balance - Beschikbaar Saldo + Beschikbaar saldo @@ -539,34 +429,10 @@ (only available for local daemons) (alleen beschikbaar voor lokale nodes) - - Mining helps the Monero network build resilience.<br> - Minen help het Monero-netwerk weerstand op te bouwen.<br> - - - The more mining is done, the harder it is to attack the network.<br> - Hoe meer er gemined wordt, des te moeilijker het is om het Monero-netwerk aan te vallen.<br> - - - Mining also gives you a small chance to earn some Monero.<br> - Minen geeft je een kleine kans om Monero te verdienen.<br> - - - Your computer will search for Monero block solutions.<br> - Uw computer zal zoeken naar Monero blok-oplossingen.<br> - - - If you find a block, you will get the associated reward.<br> - Als u een blok vindt, zult u de bijbehorende beloning ontvangen.<br> - - - Mining helps the Monero network build resilience. The more mining is done, the harder it is to attack the network. Mining also gives you a small chance to earn some Monero. Your computer will search for Monero block solutions. If you find a block, you will get the associated reward. - Minen help het Monero-netwerk weerstand op te bouwen. Hoe meer er gemined wordt, des te moeilijker het is om het Monero-netwerk aan te vallen. Minen geeft je een kleine kans om Monero te verdienen. Uw computer zal zoeken naar Monero blok-oplossingen. Als u een blok vindt, zult u de bijbehorende beloning ontvangen. - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! - Minen met uw computer helpt het Monero-netwerk sterker te worden. Hoe meer individuen er minen, des te moeilijker het is om het Monero-netwerk aan te vallen. Ieder beetje helpt dus.<br> <br> Minen geeft je ook een kleine kans om Monero te verdienen. Uw computer zal namelijk specifieke tekenreeksen berekenen en zodoende op zoek gaan naar Monero blok-oplossingen. Als u een blok vindt, zult u de bijbehorende beloning ontvangen. Veel success! + Minen met uw computer helpt het Monero-netwerk sterker te worden. Hoe meer individuen er minen, des te moeilijker het is om het Monero-netwerk aan te vallen. Ieder beetje helpt dus.<br> <br> Minen geeft u ook een kleine kans om Monero te verdienen. Uw computer zal namelijk specifieke tekenreeksen berekenen en zodoende op zoek gaan naar Monero blok-oplossingen. Als u een blok vindt, ontvangt u de bijbehorende beloning. Veel success! @@ -636,7 +502,7 @@ Status: - Status: + Status: @@ -644,7 +510,7 @@ Unlocked Balance: - Beschikbaar Saldo: + Beschikbaar saldo: @@ -685,12 +551,12 @@ Please enter wallet password - Portemonnee wachtwoord invullen alstublieft + Vul het wachtwoord voor de portemonnee in Please enter wallet password for:<br> - Vul aub portemonnee wachtwoord in voor:<br> + Vul het wachtwoord van de portemonnee in voor:<br> @@ -700,23 +566,11 @@ Ok - Ok + OK PrivacyLevelSmall - - LOW - LAAG - - - MEDIUM - GEMIDDELD - - - HIGH - HOOG - Low @@ -735,10 +589,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - Blokken synchroniseren %1/%2 - Establishing connection... @@ -837,10 +687,6 @@ Generate payment ID for integrated address Genereer Betaal-ID voor geïntegreerd adres - - ReadOnly wallet integrated address displayed here - Geïntegreerd adres alleen-lezen portemonnee wordt hier weergegeven - Save QrCode @@ -849,7 +695,7 @@ Failed to save QrCode to - Opslaan van QR-Code is mislukt + QR-code niet opgeslagen in @@ -861,10 +707,6 @@ Payment ID Betaal-ID - - 16 or 64 hexadecimal characters - 16 of 64 hexadecimale tekens - Amount @@ -888,7 +730,7 @@ <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> - <p><font size='+2'>Dit is een eenvoudige verkoop tracker:</font></p><p>Klik hier om een willekeurige betaal-ID te maken voor een nieuwe klant</p> <p>Laat je klant deze QR code scannen om een betaling uit te voeren (als die klant over software beschikt die QR codes kan scannen).</p><p>Deze pagina zal automatisch de blockchain en transactiepoel scannen op inkomende transacties met behulp van deze QR code. Als je een bedrag invult, zal er ook gecontroleerd worden of het complete bedrag ontvangen is.</p>Het is aan jou om eventuele onbevestigde transacties te accepteren of niet. Het is zeer waarschijnlijk dat deze op korte termijn bevestigd zullen worden, maar er is nog steeds een mogelijkheid dat dit niet gebeurt. Bij grote bedragen is het dus aan te raden te wachten op één of meer bevestigingen.</p> + <p><font size='+2'>Dit is een eenvoudige verkooptracker:</font></p><p>Klik hier om een willekeurige betaal-ID te maken voor een nieuwe klant</p> <p>Laat uw klant deze QR-code scannen om een betaling uit te voeren (als die klant over software beschikt die QR-codes kan scannen).</p><p>Deze pagina zal automatisch de blockchain en transactiepoel doorzoeken op inkomende transacties met behulp van deze QR-code. Als u een bedrag invult, wordt er ook gecontroleerd of het complete bedrag ontvangen is.</p>Het is aan u om eventuele onbevestigde transacties te accepteren of niet. Het is zeer waarschijnlijk dat deze op korte termijn bevestigd zullen worden, maar er is nog steeds een mogelijkheid dat dit niet gebeurt. Bij grote bedragen is het dus aan te raden om te wachten op een of meer bevestigingen.</p> @@ -924,7 +766,7 @@ Search by... - Zoeken op… + Zoeken op... @@ -934,10 +776,6 @@ Settings - - Click button to show seed - Klik op de knop om de hersteltekst te tonen - @@ -947,45 +785,33 @@ Wallet seed & keys - + Hersteltekst en sleutels van portemonnee Secret view key - + Geheime alleen-lezen sleutel Public view key - + Openbare alleen-lezen sleutel Secret spend key - + Geheime bestedingssleutel Public spend key - + Openbare bestedingssleutel Wrong password Verkeerd wachtwoord - - Mnemonic seed: - Hersteltekst: - - - It is very important to write it down as this is the only backup you will need for your wallet. - Het is erg belangrijk om dit op te schrijven, omdat dit de enige back-up is die u heeft voor uw portemonnee. - - - Show seed - Toon hersteltekst - Daemon address @@ -996,10 +822,6 @@ Manage wallet Portemonnee beheren - - Close current wallet and open wizard - Sluit huidige portemonnee en open de configuratie-assistent - Close wallet @@ -1025,19 +847,15 @@ Stop daemon Stop lokale node - - Show log - Bekijk log - Daemon log - Node log + Node-log Hostname / IP - Hostnaam / IP + Hostnaam/IP-adres @@ -1047,7 +865,7 @@ Daemon startup flags - Node start argumenten + Startargumenten voor node @@ -1058,32 +876,32 @@ Show seed & keys - + Toon hersteltekst en sleutels Rescan wallet balance - + Saldo van portemonnee opzoeken Error: - Fout: + Fout: Information - Informatie + Informatie Sucessfully rescanned spent outputs - Met succes de uitgaven doorzocht + De uitgaven zijn doorzocht Blockchain location - + Locatie van blockchain @@ -1093,7 +911,7 @@ Login (optional) - Loginnaam (optioneel) + Inlognaam (optioneel) @@ -1113,46 +931,42 @@ Please choose a folder - + Kies een map Warning - + Waarschuwing Error: Filesystem is read only - + Fout: het bestandssysteem is alleen-lezen Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. - + Waarschuwing: er is slechts %1 GB beschikbaar op dit apparaat. Voor de blockchain is ~%2 GB opslagruimte nodig. Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. - + Let op: er is slechts %1 GB beschikbaar op dit apparaat. Voor de blockchain is ~%2 GB opslagruimte nodig. Note: lmdb folder not found. A new folder will be created. - + LMDB-map niet gevonden. Er wordt een nieuwe map gemaakt. Cancel - Annuleren - - - Save - Opslaan + Annuleren Layout settings - Opmaak instellingen + Opmaakinstellingen @@ -1162,7 +976,7 @@ Log level - Log niveau + Logniveau @@ -1177,16 +991,12 @@ GUI version: - GUI versie: + GUI-versie: Embedded Monero version: - Ingebouwde Monero versie: - - - Wallet mnemonic seed - Portemonnee hersteltekst + Ingebouwde Monero-versie: @@ -1214,7 +1024,7 @@ Sign a message or file contents with your address: - Signeer een bericht of bestandsinhoud met uw adres: + Onderteken een bericht of bestandsinhoud met uw adres: @@ -1231,7 +1041,7 @@ Sign - Signeer + Ondertekenen @@ -1242,13 +1052,13 @@ Select - Selecteer + Selecteren Verify - Verifiëer + Verifiëren @@ -1260,20 +1070,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres voor ondertekenen <font size='2'> (Vul in of slecteer uit het </font> <a href='#'>Addresboek</a><font size='2'>)</font> - - SIGN - ONDERTEKENEN - Or file: Of bestand: - - SELECT - SELECTEER - Filename with message to sign @@ -1297,19 +1099,11 @@ Message to verify Het te verifiëren bericht - - VERIFY - VERIFIËREN - Filename with message to verify Bestandsnaam met bericht om te verifiëren - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Handtekening adres <font size='2'> ( Vul in of selecteer uit het </font> <a href='#'>Adres</a><font size='2'>boek )</font> - StandardDialog @@ -1329,30 +1123,50 @@ Low (x1 fee) - Laag (×1 vergoeding) + Laag (vergoeding × 1) Medium (x20 fee) - Gemiddeld (×20 vergoeding) + Gemiddeld (vergoeding × 20) High (x166 fee) - Hoog (×166 vergoeding) + Hoog (vergoeding × 166) + Slow (x0.25 fee) + Langzaam (vergoeding × 0,25) + + + + Default (x1 fee) + Normaal (vergoeding × 1) + + + + Fast (x5 fee) + Snel (vergoeding × 5) + + + + Fastest (x41.5 fee) + Razendsnel (vergoeding × 41,5) + + + All Alles - + Sent Verzonden - + Received Ontvangen @@ -1364,14 +1178,10 @@ <b>Copy address to clipboard</b> <b>Kopieer adres naar klembord</b> - - <b>Send to same destination</b> - <b>Verstuur naar hetzelfde adres</b> - <b>Send to this address</b> - + <b>Verstuur naar dit adres</b> @@ -1409,18 +1219,6 @@ TickDelegate - - LOW - LAAG - - - MEDIUM - GEMIDDELD - - - HIGH - HOOG - Normal @@ -1449,60 +1247,20 @@ Transaction priority Prioriteit transactie - - LOW - LAAG - - - MEDIUM - GEMIDDELD - - - HIGH - HOOG - - or ALL - of ALLES - - - LOW (x1 fee) - LAAG (×1 vergoeding) - - - MEDIUM (x20 fee) - GEMIDDELD (×20 vergoeding) - - - HIGH (x166 fee) - HOOG (×166 vergoeding) - - - Privacy level - Privacyniveau - - - + Transaction cost Transactiekosten - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres <font size='2'> (Vul in of selecteer uit het </font> <a href='#'>Adresboek</a><font size='2'>)</font> - - - Description <font size='2'>( Optional - saved to local wallet history )</font> - Beschrijving <font size='2'>( Optioneel - opgeslagen in de lokale portemonnee-geschiedenis )</font> - OpenAlias error - OpenAlias fout + Fout in OpenAlias @@ -1516,133 +1274,117 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Start lokale node</a><font size='2'>)</font> - all - alles - - - + Low (x1 fee) - Laag (×1 vergoeding) + Laag (vergoeding × 1) - + Medium (x20 fee) - Gemiddeld (×20 vergoeding) + Gemiddeld (vergoeding × 20) - + High (x166 fee) - Hoog (×166 vergoeding) + Hoog (vergoeding × 166) - + Slow (x0.25 fee) - + Langzaam (vergoeding × 0,25) - + Default (x1 fee) - Normaal (×4 vergoeding) {1 ?} + Normaal (vergoeding × 1) - + Fast (x5 fee) - + Snel (vergoeding × 5) - + Fastest (x41.5 fee) - + Razendsnel (vergoeding × 41,5) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres <font size='2'> (Vul in of selecteer uit het </font> <a href='#'>Addresboek</a><font size='2'>)</font> - + QR Code QR-Code - + Resolve Oplossen - + No valid address found at this OpenAlias address - Geen geldig adres gevonden onder dit OpenAlias adres + Geen geldig adres gevonden voor dit OpenAlias-adres - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - Adres gevonden, maar DNSSEC handtekeningen konden niet geverifiëerd worden, dus het adres kan mogelijk gespoofed en dus ongeldig zijn + Adres gevonden, maar de DNSSEC-handtekeningen kunnen niet geverifiëerd worden, dus het adres kan gespoofed en dus ongeldig zijn - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - Geen geldig adres gevonden onder het opgegeven OpenAlias adres, en de DNSSEC handtekeningen konden niet geverifiëerd worden, dus het adres kan mogelijk gespoofed en dus ongeldig zijn + Geen geldig adres gevonden onder het opgegeven OpenAlias-adres, en de DNSSEC-handtekeningen kunnen niet geverifiëerd worden, dus het adres kan gespoofed en dus ongeldig zijn - - + + Internal error Interne fout - + No address found Geen adres gevonden - + Description <font size='2'>( Optional )</font> Omschrijving <font size='2'>(Optioneel)</font> - + Saved to local wallet history Wordt opgeslagen in de lokale portemonnee-geschiedenis - + Send Verzenden - + Show advanced options Laat geavanceerde opties zien - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon - + Verbonden node is niet compatibel met de GUI. +Upgrade of maak verbinding met een andere node - Privacy level (ringsize 5) - Privacy niveau (ringgrootte 5) - - - + Sweep Unmixable - Lastig te vertalen deze. Misschien heeft iemand anders een beter idee dan, "Schoonvegen van niet-te-mengen posten" - + Onmengbare bedragen samenvoegen - + Create tx file - Maak TX bestand - - - sign tx file - Signeer TX bestand - - - submit tx file - Verzend TX bestand + Maak TX-bestand @@ -1650,160 +1392,122 @@ Please upgrade or connect to another daemon Alles - Default (x4 fee) - Normaal (×4 vergoeding) - - - + Sign tx file - Signeer TX bestand + Onderteken TX-bestand - + Submit tx file - Verzend TX bestand + Verzend TX-bestand - Rescan spent - Doorzoek uitgaven - - - - + + Error Fout - Error: - Fout: - - - + Information Informatie - Sucessfully rescanned spent outputs - Met succes de uitgaven doorzocht - - - - + + Please choose a file Kies een bestand - + Can't load unsigned transaction: Het laden van de niet-ondertekende transactie is mislukt: - + Number of transactions: -Aantal transacties: +Aantal transacties: - + Transaction #%1 Transactie #%1 - + Recipient: -Ontvanger: +Ontvanger: - + payment ID: -Betaal-ID: +Betaal-ID: - + Amount: Bedrag: - + Fee: Vergoeding: - + Ringsize: Ringgrootte: - + Confirmation Bevestiging - + Can't submit transaction: Kan transactie niet insturen: - + Money sent successfully - Geld is succesvol verstuurd + Het geld is verstuurd - - + + Wallet is not connected to daemon. Portemonnee is niet verbonden met de node. - Connected daemon is not compatible with GUI. -Please upgrade or connect to another daemon - Verbonden node is niet compatibel met de GUI. -Graag upgraden of verbinden met een andere node - - - + Waiting on daemon synchronization to finish Wachten totdat de synchronisatie met de node compleet is - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres <font size='2'> (Vul in of selecteer uit het </font> <a href='#'>Adres</a><font size='2'> boek)</font> - - - + Payment ID <font size='2'>( Optional )</font> Betaal-ID <font size='2'>(Optioneel)</font> - + 16 or 64 hexadecimal characters 16 of 64 hexadecimale tekens - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Beschrijving <font size='2'>(Een optionele beschrijving die opgeslagen wordt in het lokale adresboek)</font> - - - SEND - VERZENDEN - - - SWEEP UNMIXABLE - SAMENVOEGEN VAN NIET TE MENGEN BEDRAGEN - TxKey @@ -1827,10 +1531,6 @@ Graag upgraden of verbinden met een andere node - the secret transaction key supplied by the sender - de geheime transactiesleutel verstrekt door de verzender - - If a payment had several transactions then each must must be checked and the results combined. - Als een betaling meerdere transacties had, dan moet elk afzonderlijk gecontroleerd worden en het resultaat opgeteld worden. - If a payment had several transactions then each must be checked and the results combined. @@ -1869,11 +1569,7 @@ Graag upgraden of verbinden met een andere node Transaction key - Transactie sleutel - - - CHECK - CONTROLE + Transactiesleutel @@ -1886,16 +1582,12 @@ Graag upgraden of verbinden met een andere node Kickstart the Monero blockchain? - De Monero blockchain starten? - - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Het is erg belangrijk om dit op te schrijven omdat dit de enige back-up is die u nodig heeft voor uw portemonnee. Op de volgende pagina wordt gevraagd om de hersteltekst te bevestigen om ervoor te zorgen dat de tekst op de juiste manier is overgenomen. + De Monero-blockchain starten? It is very important to write it down as this is the only backup you will need for your wallet. - Het is erg belangrijk om dit op te schrijven omdat dit de enige back-up is die u nodig heeft voor uw portemonnee. + Het is erg belangrijk om dit op te schrijven, want dit is de enige back-up die u nodig heeft voor uw portemonnee. @@ -1905,12 +1597,12 @@ Graag upgraden of verbinden met een andere node Disk conservation mode uses substantially less disk-space, but the same amount of bandwidth as a regular Monero instance. However, storing the full blockchain is beneficial to the security of the Monero network. If you are on a device with limited disk space, then this option is appropriate for you. - De modus voor schijfbehoud gebruikt substantieel minder schijfruimte, maar dezelfde hoeveelheid bandbreedte als een gewone Monero-installatie. Echter, het volledig opslaan van de Monero-blockchain is bevorderlijk voor de beveiliging van het Monero netwerk. Als u een apparaat gebruikt met beperkte schuifruimte is deze optie geschikt. + De modus voor schijfbehoud gebruikt substantieel minder schijfruimte, maar dezelfde hoeveelheid bandbreedte als een gewone Monero-installatie. Het volledig opslaan van de Monero-blockchain is echter beter voor de beveiliging van het Monero-netwerk. Deze optie is geschikt als u een apparaat gebruikt met beperkte schijfruimte. Allow background mining? - Minen in de achtergrond toestaan? + Minen op de achtergrond toestaan? @@ -1928,14 +1620,6 @@ Graag upgraden of verbinden met een andere node WizardCreateWallet - - A new wallet has been created for you - Een nieuwe portemonnee is voor u aangemaakt - - - This is the 25 word mnemonic for your wallet - Dit is de hersteltekst voor uw portemonnee, bestaande uit 25 woorden - Create a new wallet @@ -1996,18 +1680,10 @@ Graag upgraden of verbinden met een andere node Language Taal - - Account name - Portemonnee naam - - - Seed - Hersteltekst - Wallet name - Portemonnee naam + Naam van portemonnee @@ -2017,12 +1693,12 @@ Graag upgraden of verbinden met een andere node Wallet path - Portemonnee locatie + Locatie van portemonnee Daemon address - Node adres + Node-adres @@ -2044,26 +1720,18 @@ Graag upgraden of verbinden met een andere node Don't forget to write down your seed. You can view your seed and change your settings on settings page. Vergeet u hersteltekst niet op te schrijven. U kunt u hersteltekst bekijken en instellingen aanpassen op de instellingen pagina. - - An overview of your Monero configuration is below: - Een overzicht van uw Monero-configuratie staat hieronder: - You’re all set up! U bent klaar met configureren! - - You’re all setup! - U bent klaar! - WizardMain A wallet with same name already exists. Please change wallet name - Een portemonnee met dezelfde naam bestaat reeds. Verander alstublieft de naam van uw portemonnee + Er bestaat al een portemonnee met dezelfde naam. Verander de naam van uw portemonnee @@ -2089,12 +1757,8 @@ Graag upgraden of verbinden met een andere node The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: %1 - - - - The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: -%1 - De alleen-lezen portemonnee is aangemaakt. U kunt deze openen door de huidige portemonnee te sluiten, klik vervolgens op "Open een portemonnee vanaf een bestand", en selecteer de alleen-lezen portemonnee in: + The exact option text is: Open a wallet from file + De alleen-lezen portemonnee is aangemaakt. U opent deze als volgt: sluit de huidige portemonnee, klik vervolgens op "Open een portemonnee vanuit een bestand" en selecteer de alleen-lezen portemonnee in: %1 @@ -2110,37 +1774,25 @@ Graag upgraden of verbinden met een andere node WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Dit is de naam van uw portemonnee. U kunt de naam veranderen mocht u dat willen: - - - My account name - Mijn portemonnee-naam: - - - Restore height - Herstelpunt (blokhoogte) - Wallet name - Portemonnee naam + Naam van portemonnee Restore from seed - Herstel met behulp van hersteltekst + Herstel met hersteltekst Restore from keys - Herstel met behulp van sleutels + Herstel met sleutels Account address (public) - Portemonnee adres (openbaar) + Adres van portemonnee (openbaar) @@ -2150,7 +1802,7 @@ Graag upgraden of verbinden met een andere node Spend key (private) - Bestedings-sleutel (privé) + Bestedingssleutel (privé) @@ -2170,14 +1822,6 @@ Graag upgraden of verbinden met een andere node WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Het is erg belangrijk om dit op te schrijven omdat dit de enige back-up is die u nodig heeft voor uw portemonnee. Op de volgende pagina wordt gevraagd om de hersteltekst te bevestigen om ervoor te zorgen dat de tekst op de juiste manier is overgenomen. - - - It is very important to write it down as this is the only backup you will need for your wallet. - Het is erg belangrijk om dit op te schrijven omdat dit de enige back-up is die u nodig heeft voor uw portemonnee.. - Enter your 25 word mnemonic seed @@ -2186,7 +1830,7 @@ Graag upgraden of verbinden met een andere node This seed is <b>very</b> important to write down and keep secret. It is all you need to backup and restore your wallet. - Deze hersteltekst is <b>zeer</b> belangerijk om veilig op te slaag en privé te houden. Het is het enigste wat u (nodig) heeft om uw portemonnee te backuppen of te herstellen. + Deze hersteltekst is <b>zeer</b> belangrijk om veilig op te slaan en privé te houden. Het is het enige dat u nodig heeft om een back-up van uw portemonnee te maken of uw portemonnee te herstellen. @@ -2199,7 +1843,7 @@ Graag upgraden of verbinden met een andere node Please select one of the following options: - Selecteer alstublieft een van de volgende opties: + Selecteer een van de volgende opties: @@ -2221,22 +1865,6 @@ Graag upgraden of verbinden met een andere node Custom daemon address (optional) Aangepast node-adres (optioneel) - - This is my first time, I want to create a new account - Dit is mijn eerste keer, ik wil een nieuwe portemonnee aanmaken - - - I want to recover my account from my 25 word seed - Ik wil mijn portemonnee herstellen met de hersteltekst van 25 woorden - - - I want to open a wallet from file - Ik wil een portemonnee openen vanuit een bestand - - - Please setup daemon address below. - Stel hieronder alstublieft het node-adres in. - Testnet @@ -2245,28 +1873,6 @@ Graag upgraden of verbinden met een andere node WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Nu dat uw portemonnee is aangemaakt, moet u deze beveiligen met een wachtwoord - - - Now that your wallet has been restored, please set a password for the wallet - Nu dat uw portemonnee is aangemaakt, moet u deze beveiligen met een wachtwoord - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Het wachtwoord kan niet hersteld worden, mocht u het wachtwoord vergeten dan moet u uw portemonnee herstellen via de hersteltekst van 25 woorden die u zojuist heeft gekregen<br/><br/> - Uw wachtwoord wordt gebruikt om uw portemonnee te beveiligen en acties te bevestigen, dus zorg ervoor dat uw wachtwoord voldoende veilig is. - - - Password - Wachtwoord - - - Confirm password - Wachtwoord bevestigen - @@ -2280,12 +1886,6 @@ Graag upgraden of verbinden met een andere node <br>Let op: dit wachtwoord kan niet hersteld worden. Als u het wachtwoord vergeet, kan de portemonnee alleen hersteld worden worden met u hersteltekst van 25 woorden.<br/><br/> <b>Vul een sterk wachtwoord in</b> (gebruik letters, cijfers, en/of symbolen): - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - Let op: dit wachtwoord kan niet hersteld worden. Als u het wachtwoord vergeet, kan de portemonnee alleen hersteld worden worden met u hersteltekst van 25 woorden.<br/><br/> - <b>Vul een sterk wachtwoord in</b> (gebruik letters, cijfers, en/of symbolen): - WizardPasswordUI @@ -2302,14 +1902,6 @@ Graag upgraden of verbinden met een andere node WizardRecoveryWallet - - We're ready to recover your account - Uw portemonnee kan hersteld worden - - - Please enter your 25 word private key - Vul alstublieft de 25 woorden van de hersteltekst in - Restore wallet @@ -2318,10 +1910,6 @@ Graag upgraden of verbinden met een andere node WizardWelcome - - Welcome - Welkom - Welcome to Monero! @@ -2330,7 +1918,7 @@ Graag upgraden of verbinden met een andere node Please choose a language and regional format. - Selecteer alstublieft een taal en regio. + Selecteer een taal en regio. @@ -2354,10 +1942,6 @@ Graag upgraden of verbinden met een andere node Couldn't open wallet: Portemonnee kan niet geopend worden: - - Synchronizing blocks %1 / %2 - Blokken synchroniseren %1 / %2 - Can't create transaction: Wrong daemon version: @@ -2367,15 +1951,14 @@ Graag upgraden of verbinden met een andere node No unmixable outputs to sweep - Lastig te vertalen, iemand een beter idéé? - Er zijn geen niet te mengen bedragen gevonden die opgeschoond kunnen worden + Geen onmengbare bedragen gevonden om samen te voegen Please confirm transaction: - Gelieve de transactie te bevestigen: + Bevestig de transactie: @@ -2386,22 +1969,14 @@ Graag upgraden of verbinden met een andere node Amount: -Bedrag: - - - - -Mixin: - - -Menging: +Bedrag: Number of transactions: -Aantal transacties: +Aantal transacties: @@ -2410,7 +1985,7 @@ Aantal transacties: Description: -Omschrijving: +Omschrijving: @@ -2420,7 +1995,7 @@ Omschrijving: Money sent successfully: %1 transaction(s) - Geld succesvol verzonden: %1 transactie(s) + Het geld is verzonden: %1 transactie(s) @@ -2432,10 +2007,6 @@ Omschrijving: This address received %1 monero, but the transaction is not yet mined Dit adres heeft %1 monero ontvangen, maar de transactie is nog niet verwerkt - - This address received %1 monero, with %2 confirmations - Dit adres heeft %1 monero ontvangen, met %2 bevestigingen - This address received nothing @@ -2480,7 +2051,7 @@ Omschrijving: Please check your wallet and daemon log for errors. You can also try to start %1 manually. - Graag u portemonnee en node log controleren op fouten. U kunt ook proberen %1 handmatig te starten. + Controleer de logs van uw portemonnee en node op fouten. Of probeer %1 handmatig te starten. @@ -2493,7 +2064,7 @@ Omschrijving: Address: -Adres: +Adres: @@ -2501,12 +2072,6 @@ Adres: Payment ID: Betaal-ID: - - - -Amount: - -Bedrag: @@ -2528,12 +2093,12 @@ Ringgrootte: Insufficient funds. Unlocked balance: %1 - onvoldoende fondsen. Beschikbaar saldo: %1 + Onvoldoende geld. Beschikbaar saldo: %1 Couldn't send the money: - Geld kon niet worden verstuurd: + Het geld kan niet worden verstuurd: @@ -2543,12 +2108,12 @@ Ringgrootte: Transaction saved to file: %1 - Transactie opgeslagen naar bestand: %1 + Transactie opgeslagen in bestand: %1 This address received %1 monero, with %2 confirmation(s). - Did adres heeft %1 monero ontvangen, met %2 bevestiging(en). + Dit adres heeft %1 monero ontvangen, met %2 bevestiging(en). @@ -2588,7 +2153,7 @@ Ringgrootte: Daemon will still be running in background when GUI is closed. - Node zal nog steeds in de achtergrond blijven lopen als de GUI gesloten is. + Node wordt nog steeds op de achtergrond uitgevoerd nadat de GUI gesloten wordt. diff --git a/translations/monero-core_pl.ts b/translations/monero-core_pl.ts index b9306485..d330e2a3 100644 --- a/translations/monero-core_pl.ts +++ b/translations/monero-core_pl.ts @@ -14,86 +14,55 @@ Adres - - <b>Tip tekst test</b> - <b>Tip tekst test</b> - - - + QRCODE QR Kod - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> Identyfikator płatności <font size='2'>(Opcjonalny)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Identyfikator płatności</b><br/><br/>Unikalna nazwa użytkownika użyta<br/>w książce adresowej. Nie jest<br/>przekazywana podczas transakcji - - - + Paste 64 hexadecimal characters - Wklej 64 znaki w postaci heksadecymalnej (dodaj na początku adresu '0x')) + Wklej 64 znaki w postaci heksadecymalnej (dodaj na początku adresu '0x')) - + Description <font size='2'>(Optional)</font> Opis <font size='2'>(Optional)</font> - - <b>Tip test test</b><br/><br/>test line 2 - <b>Test test test</b><br/><br/>test linia 2 - - - + Give this entry a name or description Dodaj nazwę lub opis dla tego wpisu - + Add Dodaj - + Error Błąd - + Invalid address Niepoprawny adres - + Can't create entry Nie można utworzyć wpisu - - Description <font size='2'>(Local database)</font> - Opis <font size='2'>(Lokalna baza danych)</font> - - - ADD - DODAJ - - - Payment ID - Identyfikator płatności - - - Description - Opis - AddressBookTable @@ -146,18 +115,6 @@ DaemonManagerDialog - - Daemon doesn't appear to be running - Proces nie został uruchomiony - - - Start daemon - Uruchom proces - - - Cancel - Anuluj - Starting Monero daemon in %1 seconds @@ -217,15 +174,6 @@ History - - - - - - - <b>Tip tekst test</b> - <b>Tekst test test</b> - Filter transaction history @@ -237,47 +185,38 @@ wybrano: - - <b>Total amount of selected payments</b> - <b>Suma wybranych transakcji</b> - - - + Type for incremental search... Wpisz aby wyszukać... - + Date from Data od - - + + To Do - + Filter Filtruj - FILTER - FILTRUJ - - - + Advanced filtering Zaawansowane filtrowanie - + Type of transaction Typ transakcji - + Amount from Wartość od @@ -364,50 +303,32 @@ Saldo - - Test tip 1<br/><br/>line 2 - Test tekst 1<br/><br/>linia 2 - - - + Unlocked balance Dostępne saldo - - Test tip 2<br/><br/>line 2 - Test tekst 2<br/><br/>linia 2 - - - + Send Wyślij - T - W - - - + Receive Otrzymaj - + R O - Verify payment - Potwierdź płatność - - - + K P - + History Historia @@ -417,78 +338,73 @@ - + Address book - + B - + H H - + Advanced Zaawansowane - + D D - + Mining - + M - + Check payment Sprawdź płatność - + Sign/verify Podpisz/weryfikuj - + I I - + Settings Ustawienia - + E - + S P MiddlePanel - - Balance: - Dostępne saldo: - Saldo: - Balance @@ -499,10 +415,6 @@ Unlocked Balance Dostępne saldo - - Unlocked Balance: - Dostępne saldo: - Mining @@ -658,18 +570,6 @@ PrivacyLevelSmall - - LOW - Niski - - - MEDIUM - Średni - - - HIGH - Wysoki - Low @@ -688,10 +588,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - Synchronizowanie bloków %1/%2 - Establishing connection... @@ -790,10 +686,6 @@ Generate payment ID for integrated address - - ReadOnly wallet integrated address displayed here - Adres portfela tylko do odczytu.wyświetlony.tutaj - Save QrCode @@ -814,10 +706,6 @@ Payment ID Identyfikator płatności - - 16 or 64 hexadecimal characters - 16 lub 64 znaków szesnastkowych - Amount @@ -887,10 +775,6 @@ Settings - - Click button to show seed - Kliknij przycisk by zobaczyć klucz - @@ -927,18 +811,6 @@ Wrong password Nieprawidłowe hasło - - Mnemonic seed: - Klucz 25 słowny: - - - It is very important to write it down as this is the only backup you will need for your wallet. - Te słowa są niezwykle istotne. Zapisz je. To jedyne co potrzebujesz, by odzyskać portfel. - - - Show seed - Pokaż klucz 25 słowny - Daemon address @@ -949,10 +821,6 @@ Manage wallet Zarządzaj portfelem - - Close current wallet and open wizard - Zamknij ten portfel i otwórz kreator - Close wallet @@ -978,10 +846,6 @@ Stop daemon Zatrzymaj proces - - Show log - Pokaż log - Daemon startup flags @@ -991,7 +855,7 @@ (optional) - + (opcjonalnie) @@ -1133,10 +997,6 @@ Port Port - - Save - Zapisz - Sign @@ -1204,20 +1064,12 @@ Please choose a file to verify - - SIGN - PODPISZ - Or file: Lub plik: - - SELECT - WYBIERZ - Filename with message to sign @@ -1241,10 +1093,6 @@ Message to verify Wiadomość do potwierdzenia - - VERIFY - POTWIERDŹ - Filename with message to verify @@ -1255,10 +1103,6 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres do podpisu <font size='2'> ( Wpisz lub wybierz z </font> <a href='#'>Ksiązki adresowej</a><font size='2'>)</font> - StandardDialog @@ -1292,16 +1136,36 @@ - All + Slow (x0.25 fee) - Sent + Default (x1 fee) + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + + All + + + + + Sent + + + + Received @@ -1354,18 +1218,6 @@ TickDelegate - - LOW - NISKI - - - MEDIUM - ŚREDNI - - - HIGH - WYSOKI - Normal @@ -1400,58 +1252,30 @@ - or ALL - WSZYSTKO - - - LOW (x1 fee) - NISKI (prowizja x1) - - - MEDIUM (x20 fee) - ŚREDNI (prowizja x20) - - - HIGH (x166 fee) - WYSOKI (prowizja x166) - - - Privacy level - Poziom prywatności - - - + Transaction cost Koszt transakcji - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adres <font size='2'> (Wklej lub wybierz z </font> <a href='#'>Ksiązki adresowej</a><font size='2'>)</font> - - - Description <font size='2'>( Optional - saved to local wallet history )</font> - Opis <font size='2'>(Opcjonalny - przechowywany lokalnie w historii portfela)</font> - - - - + + Wallet is not connected to daemon. Potrfel nie jest podłączony do procesu. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon Połączony proces nie jest kompatybilny z interfejsem graficznym. Uaktualnij go lub podłącz się do innego procesu - + Waiting on daemon synchronization to finish Poczekaj na zakończenie synchronizacji procesu - + Payment ID <font size='2'>( Optional )</font> Identyfikator płatności <font size='2'>(Opcjonalny)</font> @@ -1471,216 +1295,208 @@ Uaktualnij go lub podłącz się do innego procesu - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + No valid address found at this OpenAlias address - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed - - + + Internal error - + No address found - + 16 or 64 hexadecimal characters 16 lub 64 znaków szesnastkowych - + Description <font size='2'>( Optional )</font> - + Saved to local wallet history - - SEND - WYŚLIJ - - - SWEEP UNMIXABLE - MIESZAJ - Privacy level (ringsize %1) - + Low (x1 fee) - + Medium (x20 fee) - + High (x166 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - + QR Code - + Resolve - + Send Wyślij - + Show advanced options - + Sweep Unmixable - + Create tx file - + Sign tx file - + Submit tx file - - + + Error Błąd - + Information Informacja - - + + Please choose a file - + Can't load unsigned transaction: - - - -Number of transactions: - Liczba transakcji: - - - - -Transaction #%1 - - - - - -Recipient: - - +Number of transactions: + Liczba transakcji: + + + + +Transaction #%1 + + + + + +Recipient: + + + + + payment ID: - + Amount: - + Fee: Opłata: - + Ringsize: - + Confirmation Potwierdzenie - + Can't submit transaction: - + Money sent successfully @@ -1707,10 +1523,6 @@ Ringsize: - the secret transaction key supplied by the sender - sekretny klucz transakcji podany przez nadawcę - - If a payment had several transactions then each must must be checked and the results combined. - Jeśli płatność zawiera wiele transakcji, każda musi być sprawdzona a rezultat połączony. - Address @@ -1751,10 +1563,6 @@ Ringsize: If a payment had several transactions then each must be checked and the results combined. - - CHECK - SPRAWDŹ - WizardConfigure @@ -1804,14 +1612,6 @@ Ringsize: WizardCreateWallet - - A new wallet has been created for you - Nowy portfel został dla ciebie utworzony - - - This is the 25 word mnemonic for your wallet - To 25 słowny klucz do twojego portfela - Create a new wallet @@ -1872,14 +1672,6 @@ Ringsize: Language Język - - Account name - Wybierz nazwę - - - Seed - Źródło - Wallet name @@ -1920,10 +1712,6 @@ Ringsize: Don't forget to write down your seed. You can view your seed and change your settings on settings page. - - An overview of your Monero configuration is below: - Podsumowanie twoich ustawień Monero poniżej: - You’re all set up! @@ -1976,14 +1764,6 @@ Ringsize: WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - To jest nazwa twojego portfela. Możesz ją zmienić na dowolną inną nazwę: - - - Restore height - Odzyskaj wysokość - Wallet name @@ -2032,10 +1812,6 @@ Ringsize: WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. - Te słowa są niezwykle istotne. Zapisz je. To jedyne co potrzebujesz, by odzyskać portfel. - Enter your 25 word mnemonic seed @@ -2079,22 +1855,6 @@ Ringsize: Custom daemon address (optional) - - This is my first time, I want to create a new account - To mój pierwszy raz, chcę stworzyć nowe konto - - - I want to recover my account from my 25 word seed - Odzyskaj konto z klucza 25 słów - - - I want to open a wallet from file - Otwórz portfel z pliku - - - Please setup daemon address below. - Proszę podaj adres procesu. - Testnet @@ -2103,28 +1863,6 @@ Ringsize: WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Twój portfel został utworzony, wprowadź hasło zabezpieczające - - - Now that your wallet has been restored, please set a password for the wallet - Twój portfel został odzyskany, wprowadź hasło zabezpieczające - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Uwaga! To hasło nie może być odzyskane - jeśli je zapomnisz, odzyskanie będzie możliwe tylko za pomocą tego klucza z 25 słów<br/><br/> - Twoje hasło będzie użyte do zabezpieczenia portfela i potwierdzania czynności, dopilnuj by było wystarczająco bezpieczne. - - - Password - Hasło - - - Confirm password - Potwierdź hasło - @@ -2153,14 +1891,6 @@ Ringsize: WizardRecoveryWallet - - We're ready to recover your account - Jesteśmy gotowi odzyskać twój portfel - - - Please enter your 25 word private key - Wprowadź swój 25 słowny klucz prywatny - Restore wallet @@ -2169,10 +1899,6 @@ Ringsize: WizardWelcome - - Welcome - Witaj - Welcome to Monero! @@ -2233,14 +1959,6 @@ Amount: Wartość: - - - - -Mixin: - - -Domieszka: @@ -2413,10 +2131,6 @@ Ringsize: This address received %1 monero, but the transaction is not yet mined Ten adres otrzymał %1 monero, ale transakcja nie została jeszcze wykopana - - This address received %1 monero, with %2 confirmations - Adres otrzymal %1 monero, liczba potwierdzeń: %2 - This address received nothing diff --git a/translations/monero-core_pt-br.ts b/translations/monero-core_pt-br.ts index 525e79e7..c594f6f5 100644 --- a/translations/monero-core_pt-br.ts +++ b/translations/monero-core_pt-br.ts @@ -14,86 +14,55 @@ Endereço - - <b>Tip tekst test</b> - <b>Tip tekst test</b> - - - + QRCODE QRCODE - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> ID do Pagamento <font size='2'>(Opcional)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>ID do Pagamento</b><br/><br/>Um nome único utilizado na<br/>caderneta de endereços. Não é uma<br/>transferência de informação enviada<br/>durante a transferência - - - + Paste 64 hexadecimal characters Cole os 64 caracteres hexadecimais - + Description <font size='2'>(Optional)</font> Descrição <font size='2'>(Opcional)</font> - + Give this entry a name or description Forneça um nome ou descrição a esta entrada - + Add Adicionar - + Error Erros - + Invalid address Endereço inválido - + Can't create entry Não foi possível criar entrada - - Description <font size='2'>(Local database)</font> - Descrição <font size='2'>(Banco de dados local)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - <b>Tip test test</b><br/><br/>test line 2 - - - ADD - ADICIONAR - - - Payment ID - ID do Pagamento - - - Description - Descrição - AddressBookTable @@ -162,17 +131,6 @@ Utilizar preferências customizadas - - DaemonProgress - - Synchronizing blocks %1/%2 - Sincronizando blocos %1/%2 - - - Synchronizing blocks - Sincronizando blocos - - Dashboard @@ -227,68 +185,38 @@ Filtrar histórico de transação - - <b>Total amount of selected payments</b> - <b>Quantidade total de pagamentos selecionados</b> - - - + Type for incremental search... Digite para realizar busca... - + Filter Filtrar - Incremental search - Busca incremental - - - Search transfers for a given string - Procurar por caracteres especificos nas transferências - - - Type search string - Digite os caracteres especificos a serem procurados - - - + Date from Data a partir de - - - - - - <b>Tip tekst test</b> - <b>Tip tekst test</b> - - - - + + To Para - FILTER - FILTRAR - - - + Advanced filtering Filtragem avançada - + Type of transaction Tipo de transação - + Amount from Quantidade a partir de @@ -375,50 +303,32 @@ Saldo - - Test tip 1<br/><br/>line 2 - Test tip 1<br/><br/>line 2 - - - + Unlocked balance Saldo desbloqueado - - Test tip 2<br/><br/>line 2 - Test tip 2<br/><br/>line 2 - - - + Send Enviar - T - T - - - + Receive Receber - + R R - Verify payment - Verificar pagamento - - - + K K - + History Histórico @@ -428,81 +338,73 @@ Testnet - + Address book Caderneta de endereços - + B B - + H H - + Advanced Avançado - + D D - + Mining Mineração - + M M - + Check payment Checar pagamento - + Sign/verify Assinar/Verificar - + E E - + S S - + I I - + Settings Preferências MiddlePanel - - Balance: - Saldo: - - - Unlocked Balance: - Saldo desbloqueado: - Balance @@ -668,18 +570,6 @@ PrivacyLevelSmall - - LOW - BAIXA - - - MEDIUM - MÉDIA - - - HIGH - ALTA - Low @@ -796,10 +686,6 @@ Amount to receive Quantidade a receber - - ReadOnly wallet integrated address displayed here - Endereço Integrado da carteira de somente leitura mostrado aqui - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -835,10 +721,6 @@ Payment ID ID do Pagamento - - 16 or 64 hexadecimal characters - 16 ou 64 caracteres hexadecimal - Generate @@ -893,27 +775,11 @@ Settings - - Click button to show seed - Clique no botão para mostra a semente - - - Mnemonic seed: - Palavras da semente: - - - It is very important to write it down as this is the only backup you will need for your wallet. - É extremamente importante guardar a semente em um lugar seguro pois ela é a única informação necessária para recuperar sua carteira. - Create view only wallet Criar carteira de somente vizualização - - Show seed - Mostrar semente - Manage daemon @@ -1045,10 +911,6 @@ Cancel Cancelar - - Save - Salvar - Layout settings @@ -1089,10 +951,6 @@ Daemon log Log do daemon - - Wallet mnemonic seed - Semente da carteira - @@ -1134,10 +992,6 @@ Manage wallet Configurar carteira - - Close current wallet and open wizard - Fechar a carteira atual e abrir o assistente inicial - Close wallet @@ -1215,20 +1069,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Endereço do assinante <font size='2'> ( Cole ou selecione através do </font> <a href='#'>Address book</a><font size='2'> )</font> - - SIGN - ASSINAR - Or file: Ou arquivo: - - SELECT - SELECIONAR - Filename with message to sign @@ -1252,19 +1098,11 @@ Message to verify Mensagem a ser verificada - - VERIFY - VERIFICAR - Filename with message to verify Nome do arquivo com mensagem a ser verificada - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Endereço que assina <font size='2'> ( Digite ou selecione da </font> <a href='#'>caderneta</a><font size='2'> de endereços )</font> - StandardDialog @@ -1298,16 +1136,36 @@ + Slow (x0.25 fee) + Lenta (taxa x0.25) + + + + Default (x1 fee) + Padrão (taxa x1) + + + + Fast (x5 fee) + Rápida (taxa x5) + + + + Fastest (x41.5 fee) + Mais rápida (taxa x41.5) + + + All Todos - + Sent Enviado - + Received Recebido @@ -1319,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Copiar endereço para área de transferência</b> - - <b>Send to same destination</b> - <b>Enviar ao mesmo destino</b> - <b>Send to this address</b> @@ -1364,18 +1218,6 @@ TickDelegate - - LOW - BAIXA - - - MEDIUM - MÉDIA - - - HIGH - ALTA - Normal @@ -1420,108 +1262,108 @@ Prioridade da transação - + Low (x1 fee) Baixa (taxa x1) - + Medium (x20 fee) Média (taxa x20) - + High (x166 fee) Alta (taxa x166) - + Slow (x0.25 fee) Lenta (taxa x0.25) - + Default (x1 fee) Padrão (taxa x1) - + Fast (x5 fee) Rápida (taxa x5) - + Fastest (x41.5 fee) Mais rápida (taxa x41.5) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Endereço <font size='2'> ( Cole ou selecione da </font> <a href='#'>Caderneta de endereços</a><font size='2'> )</font> - + QR Code Código QR - + Resolve Resolver - + No valid address found at this OpenAlias address Nenhum endereço válido encontrado neste endereço OpenAlias - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Endereço encontrado, porém as assinaturas do DNSSEC não puderam ser verificas, este endereço pode ser falsificado - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Nenhum endereço válido encontrado neste endereço OpenAlias, porém as assinaturas do DNSSEC não puderam ser verificas, então este pode ter sido falsificado - - + + Internal error Erro interno - + No address found Nenhum endereço encontrado - + Description <font size='2'>( Optional )</font> Descrição <font size='2'>( Opcional )</font> - + Saved to local wallet history Salvo no histórico de carteira local - + Send Enviar - + Show advanced options Mostrar opçoes avançadas - + Sweep Unmixable Limpar não misturavel - + Create tx file Criar arquivo da tx @@ -1531,128 +1373,116 @@ Todos - + Sign tx file Assinar arquivo da tx - + Submit tx file Enviar arquivo da tx - Rescan spent - Escanear novamente o gasto - - - - + + Error Erros - Error: - Erro: - - - + Information Informação - Sucessfully rescanned spent outputs - Saidas gastas escaneadas novamente - - - - + + Please choose a file Por favor escolha um arquivo - + Can't load unsigned transaction: Não foi possível carregar transação não assinada: - + Number of transactions: Número de transações: - + Transaction #%1 Transação #%1 - + Recipient: Destinatário: - + payment ID: ID do pagamento: - + Amount: Quantidade: - + Fee: Taxa: - + Ringsize: Ringsize: - + Confirmation Confirmação - + Can't submit transaction: Não foi possível enviar transação: - + Money sent successfully Dinheiro enviado com sucesso - - + + Wallet is not connected to daemon. A carteira não está conectada ao daemon. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon O daemon conectado não é compatível com a GUI. Por favor atualize ou conecte outro daemon - + Waiting on daemon synchronization to finish Aguardando a sincronização no daemon terminar @@ -1662,79 +1492,23 @@ Por favor atualize ou conecte outro daemon - or ALL - ou TODAS - - - LOW - BAIXA - - - MEDIUM - MÉDIA - - - HIGH - ALTA - - - Privacy level - Nível de privacidade - - - + Transaction cost Custo da transação - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Endereço <font size='2'> ( Digite ou selecione um da </font> <a href='#'>caderneta</a><font size='2'> de endereços )</font> - - - + Payment ID <font size='2'>( Optional )</font> ID do Pagamento <font size='2'>( Opcional )</font> - + 16 or 64 hexadecimal characters 16 ou 64 caracteres hexadecimal - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Descrição <font size='2'>( Uma descrição opcional que será salva junto a caderneta de endereços local )</font> - - - SEND - ENVIAR - - - SWEEP UNMIXABLE - LIMPAR NÃO MISTURÁVEL - TxKey - - You can verify that a third party made a payment by supplying: - Você pode verificar que um terceiro realizou um pagamento informando: - - - - the recipient address, - - o endereço do destinatário - - - - the transaction ID, - - a ID da transação - - - - the tx secret key supplied by the sender - - a chave secreta da transação informada pelo remetente - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - Se um pagamento foi realizado através de várias transações, cada transação deve ser checada e os resultados agregados - Verify that a third party made a payment by supplying: @@ -1790,23 +1564,11 @@ Por favor atualize ou conecte outro daemon Check Checar - - Transaction ID here - ID da Transação aqui - Transaction key Chave da Transação - - Transaction key here - Chave da Transação aqui - - - CHECK - VERIFICAR - WizardConfigure @@ -1820,10 +1582,6 @@ Por favor atualize ou conecte outro daemon Kickstart the Monero blockchain? Iniciar a blockchain do Monero? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - É extremamente importante guardar a semente em um lugar seguro pois ela é a única informação necessária para recuperar sua carteira. Você terá que confirmar a semente na próxima tela. - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1860,14 +1618,6 @@ Por favor atualize ou conecte outro daemon WizardCreateWallet - - A new wallet has been created for you - Uma nova carteira foi criada para você - - - This is the 25 word mnemonic for your wallet - Essas são as suas 25 palavras da semente para sua carteira - Create a new wallet @@ -1928,14 +1678,6 @@ Por favor atualize ou conecte outro daemon Language Idioma - - Account name - Nome da conta - - - Seed - Semente - Wallet name @@ -1981,14 +1723,6 @@ Por favor atualize ou conecte outro daemon You’re all set up! Tudo pronto! - - An overview of your Monero configuration is below: - Segue abaixo uma visão-geral das configurações do seu Monero: - - - You’re all setup! - Tudo pronto! - WizardMain @@ -2037,14 +1771,6 @@ Por favor atualize ou conecte outro daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Este é o nome da sua carteira. Você pode mudar para outro se preferir: - - - Restore height - Altura de restauração - Wallet name @@ -2093,10 +1819,6 @@ Por favor atualize ou conecte outro daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - É extremamente importante guardar a semente em um lugar seguro pois ela é a única informação necessária para recuperar sua carteira. Você terá que confirmar a semente na próxima tela. - Enter your 25 word mnemonic seed @@ -2140,22 +1862,6 @@ Por favor atualize ou conecte outro daemon Custom daemon address (optional) Endereço customizado do daemon (opcional) - - This is my first time, I want to create a new account - Esta é minha primeira execução do programa, quero criar uma nova carteira - - - I want to recover my account from my 25 word seed - Quero recuperar minha carteira através das 25 palavras da semente - - - I want to open a wallet from file - Quero abrir uma carteira de um arquivo - - - Please setup daemon address below. - Por favor configure o endereço do daemon abaixo - Testnet @@ -2164,28 +1870,6 @@ Por favor atualize ou conecte outro daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Agora que sua carteira foi criada, por favor entre com uma senha para a carteira - - - Now that your wallet has been restored, please set a password for the wallet - Agora que sua carteira foi restaurada, por favor entre com uma senha para a carteira - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Atenção: esta senha não pode ser recuperada e se você esquecê-la terá que restaurar sua carteira através da semente<br/><br/> - Sua senha será utilizada para proteger sua carteira e confirmar ações, tenha certeza que ela é segura o suficiente. - - - Password - Senha - - - Confirm password - Confirme a senha - @@ -2215,14 +1899,6 @@ Por favor atualize ou conecte outro daemon WizardRecoveryWallet - - We're ready to recover your account - Estamos prontos para recuperar sua conta - - - Please enter your 25 word private key - Por favor entre com as 25 palavras da semente - Restore wallet @@ -2231,10 +1907,6 @@ Por favor atualize ou conecte outro daemon WizardWelcome - - Welcome - Bem-vindo - Welcome to Monero! @@ -2267,10 +1939,6 @@ Por favor atualize ou conecte outro daemon Couldn't open wallet: Não foi possível abrir a carteira: - - Synchronizing blocks %1 / %2 - Sincronizando blocos %1 / %2 - Unlocked balance (waiting for block) @@ -2402,14 +2070,6 @@ Ringsize: New version of monero-wallet-gui is available: %1<br>%2 Nova versão da GUI do Monero disponível: %1<br> - - - -Mixin: - - -Mixin: - @@ -2466,10 +2126,6 @@ Descrição: This address received %1 monero, but the transaction is not yet mined Este endereço recebeu %1 monero, porém a transação ainda não foi minerada - - This address received %1 monero, with %2 confirmations - Este endereço recebeu %1 monero, com %2 confirmações - This address received nothing diff --git a/translations/monero-core_ru.ts b/translations/monero-core_ru.ts index 77c9ae83..6b77f348 100644 --- a/translations/monero-core_ru.ts +++ b/translations/monero-core_ru.ts @@ -14,67 +14,52 @@ Адрес - - <b>Tip tekst test</b> - - - - + QRCODE QR-код - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> ID платежа <font size='2'>(Опционально)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>ID платежа</b><br/><br/>Уникальное имя пользователя использовано в<br/>адресной книге. Это не<br/>передача информации об отправке<br/>во время отправки - - - + Paste 64 hexadecimal characters Вставьте 64 шестнадцатеричных символа - + Description <font size='2'>(Optional)</font> Описание <font size='2'>(Опционально)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Введите имя или описание - + Add Добавить - + Error Ошибка - + Invalid address Неправильный адрес - + Can't create entry Нельзя создать запись @@ -118,12 +103,12 @@ DaemonConsole - + Close Закрыть - + command + enter (e.g help) @@ -131,17 +116,17 @@ DaemonManagerDialog - + Starting Monero daemon in %1 seconds Запуск демона Monero через %1 секунд - + Start daemon (%1) Запуск демона - + Use custom settings Использовать свои настройки @@ -190,16 +175,7 @@ History - - - - - - <b>Tip tekst test</b> - - - - + Filter transaction history Фильтр истории транзакций @@ -209,43 +185,38 @@ выбрано: - - <b>Total amount of selected payments</b> - <b>Общая сумма выбранных платежей</b> - - - + Type for incremental search... Введите для пошагового поиска... - + Date from Дата с - - + + To До - + Filter Фильтр - + Advanced filtering Дополнительные фильтры - + Type of transaction Тип транзакции - + Amount from Количество от @@ -316,11 +287,7 @@ Fee - Комиссия - - - Balance - Баланс + Комиссия @@ -331,117 +298,107 @@ LeftPanel - + Balance Баланс - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Доступный баланс - - Test tip 2<br/><br/>line 2 - - - - + Send Отправить - + Receive Получить - + R - + K - + History История - + Testnet Тестовая сеть - + Address book Адресная книга - + B - + H - + Advanced Дополнительно - + D - + Mining Майнинг - + M - + Check payment Проверить платеж - + Sign/verify Войти/проверить - + I - + Settings Настройки - + E - + S @@ -449,12 +406,12 @@ MiddlePanel - + Balance Баланс - + Unlocked Balance Доступный баланс @@ -487,66 +444,74 @@ (необязательно) - + Background mining (experimental) Фоновый майнинг (эксперементально) - + Enable mining when running on battery Разрешить майнинг при работе от батареи - + Manage miner Настроить майнер - + Start mining Запустить майнинг - + Error starting mining Ошибка запуска майнинга - + Couldn't start mining.<br> Нельзя запустить майнинг<br> - + Mining is only available on local daemons. Run a local daemon to be able to mine.<br> Майнинг доступен только на локальных демонах. Запустите локальный демон, чтобы майнить - + Stop mining Остановить майнинг - + Status: not mining Статус: майнинг выключен - + Mining at %1 H/s Майнинг на скорости %1 H/s - + Not mining Майнинг выключен - + Status: Статус: + + MobileHeader + + + Unlocked Balance: + + + NetworkStatusItem @@ -583,22 +548,22 @@ PasswordDialog - + Please enter wallet password Пожалуйста введите пароль кошелька - + Please enter wallet password for:<br> Пожалуйста введите пароль кошелька для:<br> - + Cancel Отмена - + Ok ОК @@ -702,72 +667,72 @@ Адрес кошелька только для чтения - + 16 hexadecimal characters 16 шестнадцатеричных символов - + Clear Очистить - + Integrated address Интегрированный адрес - + Save QrCode Сохранить QR-код - + Failed to save QrCode to Не удалось сохранить QR-код для - + Save As Сохранить Как - + Payment ID ID платежа - + Generate payment ID for integrated address Сгенерировать ID платежа для интегрированного адреса - + Amount Количество - + Amount to receive Сумма для получения - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Отслеживание <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> - + Tracking payments Отслеживание платежей - + <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> <p><font size='+2'>Это простой инструмент для отслеживания операций:</font></p><p>Нажмите «Сгенерировать», чтобы создать случайный ID платежа для нового клиента.</p> <p>Пусть ваш клиент отсканирует QR-код, чтобы произвести платеж (если у этого клиента есть программное обеспечение, которое поддерживает сканирование QR-кодов).</p><p>Эта страница автоматически сканирует блокчейн и пул транзакций для входящих транзакций, используя этот QR-код. Если вы введете сумму, она также будет проверена тем, что входящие транзакции составляют эту сумму.</p>Вам решать, принимать или нет неподтвержденные транзакции. Вероятно, они вскоре будут подтверждены, но есть вероятность, что они могут не подтвердится, поэтому для больших сумм вы можете подождать одного или нескольких подтверждений.</p> - + Generate Сгенерировать @@ -811,22 +776,43 @@ Settings - + + Error Ошибка - + + Wallet seed & keys + + + + + Secret view key + + + + + Public view key + + + + + Secret spend key + + + + + Public spend key + + + + Wrong password Неверный пароль - - Show seed - Показать сиды - - - + Daemon address Адрес демона @@ -836,117 +822,178 @@ Кправление кошельком - + Close wallet Закрыть кошелек - + Create view only wallet Создать кошелек только для просмотра - + Manage daemon Управление демоном - + Start daemon Запустить демон - + Stop daemon Остановить демон - + Daemon startup flags Флаги запуска демона - + + (optional) (необязательно) - + + Show seed & keys + + + + + Rescan wallet balance + + + + + Error: + Ошибка: + + + + Information + Информация + + + + Sucessfully rescanned spent outputs + Успешно пересканированые потраченые выходы + + + + Blockchain location + + + + Login (optional) Логин (необязательно) - + Username Имя пользователя - + Password Пароль - + Connect Подключить - + Layout settings Настройки макета - + Custom decorations Пользовательские украшения - + Log level Уровень логирования - + (e.g. *:WARNING,net.p2p:DEBUG) (Например, *: WARNING, net.p2p: DEBUG) - + Version Версия - + GUI version: Версия GUI - + Embedded Monero version: Версия встроенного Monero - + Daemon log Логи демона - - Wallet mnemonic seed - Мнемоническая фраза (seed) кошелька + + Please choose a folder + - + + Warning + + + + + Error: Filesystem is read only + + + + + Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. + + + + + Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. + + + + + Note: lmdb folder not found. A new folder will be created. + + + + + Cancel + Отмена + + + Hostname / IP Имя хоста / IP - + Show status Показать статус - + Port Порт @@ -974,85 +1021,85 @@ Эта подпись не проверена - + Sign a message or file contents with your address: Подпишите сообщение или содержимое файла с помощью своего адреса: - - + + Either message: Любое сообщение: - + Message to sign Сообщение для подписи - - + + Sign Подпись - + Please choose a file to sign Пожалуйста выберите файл для подписи - - + + Select Выбрать - - + + Verify Проверить - - + + Or file: Или файл - + Filename with message to sign Имя файла с сообщением для подписи - - - - + + + + Signature Подпись - + Verify a message or file signature from an address: Проверьте сообщение или подпись файла с адреса: - + Message to verify Сообщение для подтверждения - + Please choose a file to verify Выберите файл для подтверждения - + Filename with message to verify Имя файла с сообщением для подтверждения - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Подписывающий адрес <font size='2'> ( Вставить или выбрать из </font> <a href='#'>Адресная книга</a><font size='2'> )</font> @@ -1060,12 +1107,12 @@ StandardDialog - + Ok ОК - + Cancel Отмена @@ -1089,16 +1136,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + Стандартная (x4 комиссия) {1 ?} + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All Все - + Sent Отправить - + Received Получить @@ -1112,8 +1179,8 @@ - <b>Send to same destination</b> - <b>Отправить тому же получателю</b> + <b>Send to this address</b> + @@ -1185,40 +1252,33 @@ - + Transaction cost Стоимость транзакции - + Sign tx file Подписать файл транзакции - + Submit tx file Отправить файл транзакции - - + + Wallet is not connected to daemon. Кошелек не подключен к демону - - Connected daemon is not compatible with GUI. -Please upgrade or connect to another daemon - Подключенный демон несовместим с графическим интерфейсом. -Обновите или подключитесь к другому демону - - - + Waiting on daemon synchronization to finish Ожидание синхронизации с демоном - + Payment ID <font size='2'>( Optional )</font> ID платежа <font size='2'>( Необязательно )</font> @@ -1233,46 +1293,72 @@ Please upgrade or connect to another daemon Все - + + Slow (x0.25 fee) + + + + + Default (x1 fee) + Стандартная (x4 комиссия) {1 ?} + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + No valid address found at this OpenAlias address Не найдено действительного адреса на этом OpenAlias - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Адрес найден, но подписи DNSSEC не могут быть проверены, поэтому этот адрес может быть подделан - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed На этом адресе OpenAlias не найден действительный адрес, подписи DNSSEC не могут быть проверены, поэтому это может быть подделано - - + + Internal error Внутренняя ошибка - + No address found Адрес не найден - + 16 or 64 hexadecimal characters 16 или 64 шестнадцатеричных символа - + Description <font size='2'>( Optional )</font> Описание <font size='2'>( Необязательно )</font> - + Saved to local wallet history Сохранено в локальной истории кошелька. + + + Connected daemon is not compatible with GUI. +Please upgrade or connect to another daemon + + Privacy level (ringsize %1) @@ -1284,163 +1370,138 @@ Please upgrade or connect to another daemon <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Запустить демон</a><font size='2'>)</font> - - + Low (x1 fee) Низкая (x1 комиссия) - - + Medium (x20 fee) Средняя (x20 комиссия) - - + High (x166 fee) Высокая (x166 комиссия) - - Default (x4 fee) - Стандартная (x4 комиссия) - - - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Адрес <font size='2'> ( Вставить или выбрать из </font> <a href='#'>Адресная книга</a><font size='2'> )</font> - + QR Code QR-код - + Resolve Решить - + Send Отправить - + Show advanced options Показать расширенные настройки - + Sweep Unmixable Убрать несмешиваемые - + Create tx file создать файл транзакции - - Rescan spent - Пересканировать потраченые - - - - - + + Error Ошибка - - Error: - Ошибка: - - - - + Information Информация - - Sucessfully rescanned spent outputs - Успешно пересканированые потраченые выходы - - - - + + Please choose a file Пожалуйста выберите файл - + Can't load unsigned transaction: Невозможно загрузить неподписанную транзакцию: - + Number of transactions: Число транзакций: - + Transaction #%1 Танзакция #%1 - + Recipient: Получатель: - + payment ID: ID платежа: - + Amount: Количество: - + Fee: Комиссия: - + Ringsize: Размер кольца: - + Confirmation Подтверждение - + Can't submit transaction: Невозможно отправить транзакцию: - + Money sent successfully Деньги успешно отправлены @@ -1453,57 +1514,57 @@ Ringsize: Убедитесь, что третье лицо осуществило платеж, предоставив: - + - the recipient address - адрес получателя - + - the transaction ID - ID транзакции - + - the secret transaction key supplied by the sender - секретный ключ транзакции, предоставленный отправителем - + Address Адрес - + Recipient's wallet address Адрес кошелька получателя - + Transaction ID ID транзакции - + Paste tx ID Вставить ID транзакции - + Paste tx key Вставить ключ транзакции - + Check Проверить - + Transaction key Ключ транзакции - + If a payment had several transactions then each must be checked and the results combined. Если в платеже было несколько транзакций, каждая из них должна быть проверена и результаты объединены. @@ -1557,7 +1618,7 @@ Ringsize: WizardCreateWallet - + Create a new wallet Создать новый кошелек @@ -1665,44 +1726,43 @@ Ringsize: WizardMain - + A wallet with same name already exists. Please change wallet name Кошелек с таким именем уже существует. Измените имя кошелька. - + Non-ASCII characters are not allowed in wallet path or account name Символы не из таблицы ASCII не разрешены в пути к кошельку или имени аккаунта - + USE MONERO ПОЛЬЗУЙТЕСЬ MONERO - + Create wallet Создать кошелек - + Success Успешно - - The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: + + The view only wallet has been created. You can open it by closing this current wallet, clicking the "Open wallet from file" option, and selecting the view wallet in: %1 - Был создан только кошелек для просмотра. Вы можете открыть его, закрыв этот текущий кошелек, нажав кнопку " Открыть кошелек из файла " и выбрав кошелек просмотра в: -%1 + - + Error Ошибка - + Abort Прервать @@ -1750,7 +1810,7 @@ Ringsize: Ваш кошелек сохранен в - + Please choose a directory Пожалуйста выберите папку @@ -1845,10 +1905,6 @@ Ringsize: WizardWelcome - - Welcome - Добро пожаловать - Welcome to Monero! @@ -1863,61 +1919,56 @@ Ringsize: main - - - - - - - - + + + + + + + + + + Error Ошибка - + Couldn't open wallet: Невозможно открыть кошелек - - Unlocked balance (ожидание блоков) - Доступный баланс () - - - + Daemon failed to start Не удалось запустить демона - + Please check your wallet and daemon log for errors. You can also try to start %1 manually. Пожалуйста, проверьте ваш журнал кошелька и демона на наличие ошибок. Вы также можете попробовать запустить %1 вручную. - + Can't create transaction: Wrong daemon version: Невозможно создать транзакцию: Неверная версия демона - - - - + + No unmixable outputs to sweep Нет несмешиваемых выходов для развертки - - + + Please confirm transaction: Пожалуйста подтвердите транзакцию: - - + + Amount: @@ -1926,7 +1977,7 @@ Amount: Количество: - + Ringsize: @@ -1935,14 +1986,14 @@ Ringsize: Размер кольца: - + Number of transactions: Количество транзакций: - + Description: @@ -1951,156 +2002,161 @@ Description: Описание: - + Amount is wrong: expected number from %1 to %2 Сумма неправильная: ожидаемое число от %1 до %2 - + Daemon is running Демон запущен - + Daemon will still be running in background when GUI is closed. Демон будет все еще запущен в фоновом режиме после закрытия GUI - + Stop daemon Остановить демона - + New version of monero-wallet-gui is available: %1<br>%2 Доступна новая версия кошелька с графическим интерфейсом: %1<br>%2 - - + + Can't create transaction: Невозможно создать транзакцию - + Unlocked balance (~%1 min) Доступный баланс (~%1 min) - + Unlocked balance Доступный баланс - + + Unlocked balance (waiting for block) + + + + Waiting for daemon to start... Ожидание запуска демона... - + Waiting for daemon to stop... Ожидание остановки демона... - - + + Confirmation Подтверждение - + Address: Адрес: - + Payment ID: ID платежа: - - + + Fee: Комиссия: - + Insufficient funds. Unlocked balance: %1 Недостаточно средств. Доступный баланс: %1 - + Couldn't send the money: Невозможно отправить деньги - + Information Информация - + Transaction saved to file: %1 Транзакция сохранена в файл: %1 - + This address received %1 monero, with %2 confirmation(s). Этот адрес получил %1 XMR, с %2 подтверждениями - + Balance (syncing) Баланс (синхронизация) - + Balance Баланс - + Please wait... Пожалуйста, подождите... - + Money sent successfully: %1 transaction(s) Деньги успешно отправлены: %1 подтверждений - + Payment check Проверка платежа - + This address received %1 monero, but the transaction is not yet mined Этот адрес получил %1 XMR, но транзакции еще не подтверждены майнерами - + This address received nothing Этот адрес ничего не получил - + Program setup wizard Мастер настройки программы - + Monero Monero - + send to the same destination отправить тому же получателю diff --git a/translations/monero-core_sv.ts b/translations/monero-core_sv.ts index a27a442e..ecbad71e 100644 --- a/translations/monero-core_sv.ts +++ b/translations/monero-core_sv.ts @@ -1,6 +1,6 @@ - + AddressBook @@ -14,86 +14,55 @@ Adress - - <b>Tip tekst test</b> - - - - + QRCODE QRKOD - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> Betalnings-ID <font size='2'>(Valfritt)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>Betalnings-ID</b><br/><br/>Ett unikt användarnamn som används i <br/>adressboken. Det är inte<br/>information som skickas<br/>med överföringen - - - + Paste 64 hexadecimal characters Klistra in 64 hexadecimala tecken - + Description <font size='2'>(Optional)</font> Beskrivning <font size='2'>(Valfritt)</font> - - <b>Tip test test</b><br/><br/>test line 2 - - - - + Give this entry a name or description Ge den här posten ett namn eller beskrivning - + Add Lägg till - + Error Fel - + Invalid address Ogiltig adress - + Can't create entry Kan inte skapa post - - Description <font size='2'>(Local database)</font> - Beskrivning <font size='2'>(Lokal databas)</font> - - - ADD - LÄGG TILL - - - Payment ID - Betalnings-ID - - - Description - Beskrivning - AddressBookTable @@ -146,18 +115,6 @@ DaemonManagerDialog - - Daemon doesn't appear to be running - Noden verkar inte köras - - - Start daemon - Starta nod - - - Cancel - Avbryt - Starting Monero daemon in %1 seconds @@ -174,17 +131,6 @@ Använd anpassade inställningar - - DaemonProgress - - Synchronizing blocks %1/%2 - Synkroniserar block %1/%2 - - - Synchronizing blocks - Synkroniserar block - - Dashboard @@ -228,15 +174,6 @@ History - - - - - - - <b>Tip tekst test</b> - - Filter transaction history @@ -248,63 +185,38 @@ vald: - - <b>Total amount of selected payments</b> - <b>Totalt belopp för valda betalningar</b> - - - + Filter Filtrera - Incremental search - Inkrementell sökning - - - Search transfers for a given string - Genomsök överföringar efter en given sträng - - - Type search string - Ange söksträng - - - + Type for incremental search... Skriv för inkrementell sökning... - + Date from Datum från - - + + To Till - FILTER - FILTRERA - - - + Advanced filtering Avancerad filtrering - Advance filtering - Avancerad filtrering - - - + Type of transaction Typ av överföring - + Amount from Belopp från @@ -354,8 +266,8 @@ - (%1/10 confirmations) - (%1/10 bekräftelser) + (%1/%2 confirmations) + (%1/%2 bekräftelser) @@ -391,46 +303,32 @@ Saldo - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance Olåst saldo - - Test tip 2<br/><br/>line 2 - - - - + Send Skicka - + Receive Ta emot - + R R - Verify payment - Verifiera betalning - - - + K K - + History Historik @@ -440,85 +338,73 @@ Testnet - T - T - - - + Address book Adressbok - + B B - + H H - + Advanced Avancerat - + D D - + Mining Utvinning - + M M - + Check payment Kontrollera betalning - + Sign/verify Signera/verifiera - + I I - + Settings Inställningar - + E E - + S S MiddlePanel - - Balance: - Saldo: - - - Unlocked Balance: - Olåst saldo: - Balance @@ -542,30 +428,6 @@ (only available for local daemons) (endast tillgängligt för lokala noder) - - Mining helps the Monero network build resilience.<br> - Utvinning hjälper Monero-nätverket att bli motståndskraftigt.<br> - - - The more mining is done, the harder it is to attack the network.<br> - Ju mer monero som utvinns, desto svårare blir det att angripa nätverket.<br> - - - Mining also gives you a small chance to earn some Monero.<br> - Utvinning ger dig även en liten möjlighet att tjäna några Monero.<br> - - - Your computer will search for Monero block solutions.<br> - Din dator kommer att leta efter lösningar för Monero-block.<br> - - - If you find a block, you will get the associated reward.<br> - Om du hittar ett block får du den tillhörande belöningen.<br> - - - Mining helps the Monero network build resilience. The more mining is done, the harder it is to attack the network. Mining also gives you a small chance to earn some Monero. Your computer will search for Monero block solutions. If you find a block, you will get the associated reward. - Utvinning hjälper Monero-nätverket att bli motståndskraftigt. Ju mer monero som utvinns, desto svårare blir det att angripa nätverket. Utvinning ger dig även en liten möjlighet att tjäna några Monero. Din dator kommer att leta efter lösningar för Monero-block. Om du hittar ett block får du den tillhörande belöningen. - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -708,18 +570,6 @@ PrivacyLevelSmall - - LOW - LÅG - - - MEDIUM - MEDEL - - - HIGH - HÖG - Low @@ -738,10 +588,6 @@ ProgressBar - - Synchronizing blocks %1/%2 - Synkroniserar block %1/%2 - Establishing connection... @@ -845,10 +691,6 @@ Clear Rensa - - ReadOnly wallet integrated address displayed here - Integrerad adress för endast läsbar plånbok visas här - Generate payment ID for integrated address @@ -862,7 +704,7 @@ <p><font size='+2'>This is a simple sales tracker:</font></p><p>Click Generate to create a random payment id for a new customer</p> <p>Let your customer scan that QR code to make a payment (if that customer has software which supports QR code scanning).</p><p>This page will automatically scan the blockchain and the tx pool for incoming transactions using this QR code. If you input an amount, it will also check that incoming transactions total up to that amount.</p>It's up to you whether to accept unconfirmed transactions or not. It is likely they'll be confirmed in short order, but there is still a possibility they might not, so for larger values you may want to wait for one or more confirmation(s).</p> - <p><font size='+2'>Detta är en enkel försäljningsspårare:</font></p><p>Klicka för att generera ett slumpmässigt betalnings-id för en ny kund</p> <p>Låt din kund läsa in den där QR-koden för att göra en betalning (om den kunden har programvara som stödjer inläsning av QR-koder).</p><p>Denna sida kommer automatiskt läsa in blockkedjan och tx-poolen för inkommande överföringar till dig oavsett du accepterar obekräftade överföringar eller inte. Det är troligt de blir bekräftade inom kort, men det är fortfarande en möjlighet att de inte blir det, så för större belopp vill du nog vänta på en eller fler bekräftelser. + <p><font size='+2'>Detta är en enkel försäljningsspårare:</font></p><p>Klicka för att generera ett slumpmässigt betalnings-id för en ny kund</p> <p>Låt din kund läsa in den där QR-koden för att göra en betalning (om den kunden har programvara som stödjer inläsning av QR-koder).</p><p>Denna sida kommer automatiskt läsa in blockkedjan och tx-poolen för inkommande överföringar till dig oavsett du accepterar obekräftade överföringar eller inte. Det är troligt de blir bekräftade inom kort, men det är fortfarande en möjlighet att de inte blir det, så för större belopp vill du nog vänta på en eller fler bekräftelser.</p> @@ -874,10 +716,6 @@ Payment ID Betalnings-ID - - 16 or 64 hexadecimal characters - 16 eller 64 hexadecimala tecken - Amount @@ -937,22 +775,6 @@ Settings - - Click button to show seed - Klicka på knappen för att visa frö - - - Mnemonic seed: - Minnesfrö: - - - It is very important to write it down as this is the only backup you will need for your wallet. - Det är väldigt viktigt att skriva ner det, då detta är den enda backup du behöver för din plånbok. - - - Show seed - Visa frö - Daemon address @@ -963,10 +785,6 @@ Manage wallet Hantera plånbok - - Close current wallet and open wizard - Stäng nuvarande plånbok och öppna guide - Close wallet @@ -1082,10 +900,6 @@ Cancel Avbryt - - Wallet mnemonic seed - Plånbokens minnesfrö - @@ -1148,10 +962,6 @@ Username Användarnamn - - Save - Spara - Connect @@ -1259,20 +1069,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signeringsadress <font size='2'> ( Klistra in eller välj från </font> <a href='#'>Adressbok</a><font size='2'> )</font> - - SIGN - SIGNERA - Or file: Eller fil: - - SELECT - VÄLJ - Filename with message to sign @@ -1296,19 +1098,11 @@ Message to verify Meddelande att verifiera - - VERIFY - VERIFIERA - Filename with message to verify Filnamn med meddelande att verifiera - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signeringsadress <font size='2'> ( Ange eller välj från </font> <a href='#'>Adressbok</a><font size='2'> )</font> - StandardDialog @@ -1342,16 +1136,36 @@ + Slow (x0.25 fee) + Långsam (x0.25 avgift) + + + + Default (x1 fee) + Standard (x1 avgift) + + + + Fast (x5 fee) + Snabb (x5 avgift) + + + + Fastest (x41.5 fee) + Snabbast (x41.5 avgift) + + + All Alla - + Sent Skickade - + Received Mottagna @@ -1363,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>Kopiera adress till urklipp</b> - - <b>Send to same destination</b> - <b>Skicka till samma mottagare</b> - <b>Send to this address</b> @@ -1408,18 +1218,6 @@ TickDelegate - - LOW - LÅG - - - MEDIUM - MEDEL - - - HIGH - HÖG - Normal @@ -1448,48 +1246,16 @@ Transaction priority Överföringsprioritet - - LOW - LÅG - - - HIGH - HÖG - - - or ALL - eller ALLT - - Privacy level - Integritetsnivå - - - + Transaction cost Överföringskostnad - - MEDIUM (x20 fee) - MEDEL (x20 avgift) - - - HIGH (x166 fee) - HÖG (x166 avgift) - - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adress <font size='2'> ( Klistra in eller välj från </font> <a href='#'>Adressbok</a><font size='2'> )</font> - - - Description <font size='2'>( Optional - saved to local wallet history )</font> - Beskrivning <font size='2'>( Valfritt - spara i historik för lokal plånbok )</font> - OpenAlias error @@ -1506,288 +1272,240 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style><font size='2'> (</font><a href='#'>Starta lokal nod</a><font size='2'>)</font> - all - allt - - - + Low (x1 fee) Låg (x1 avgift) - + Medium (x20 fee) Medel (x20 avgift) - + High (x166 fee) Hög (x166 avgift) - + Slow (x0.25 fee) Långsam (x0.25 avgift) - + Default (x1 fee) Standard (x1 avgift) - + Fast (x5 fee) Snabb (x5 avgift) - + Fastest (x41.5 fee) Snabbast (x41.5 avgift) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adress <font size='2'> ( Klistra in eller välj från </font> <a href='#'>Adressbok</a><font size='2'> )</font> - + QR Code QR-kod - + Resolve Lös - + No valid address found at this OpenAlias address Ingen giltig adress hittades vid denna OpenAlias-adress - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed Adress hittad, men DNSSEC-signaturer kunde inte verifieras, så denna adress kan vara förfalskad - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed Ingen giltig adress hittades vid denna OpenAlias-adress, men DNSSEC-signaturer kunde inte verifieras, så den kan vara förfalskad - - + + Internal error Internt fel - + No address found Ingen adress hittad - + Description <font size='2'>( Optional )</font> Beskrivning <font size='2'>( Valfritt )</font> - + Saved to local wallet history Sparad till historik för lokal plånbok - + Send Skicka - + Show advanced options Visa avancerade inställningar - Privacy level (ringsize 5) - Integritetsnivå (ringstorlek 5) - - - + Sweep Unmixable Städa bort omixbara - + Create tx file Skapa tx-fil - - sign tx file - signera tx-fil - - - submit tx file - sänd tx-fil - All Allt - Default (x4 fee) - Standard (x4 avgift) - - - + Sign tx file Signera tx-fil - + Submit tx file Sänd tx-fil - Rescan spent - Läs om spenderat - - - - + + Error Fel - Error: - Fel: - - - + Information Information - Sucessfully rescanned spent outputs - Spenderade utgångar har lästs om - - - - + + Please choose a file Välj en fil - + Can't load unsigned transaction: Kan inte läsa in osignerade överföringar: - + Number of transactions: Antal överföringar: - + Transaction #%1 Överföring #%1 - + Recipient: Mottagare: - + payment ID: betalnings-ID: - + Amount: Belopp: - + Fee: Avgift: - + Ringsize: Ringstorlek: - + Confirmation Bekräftelse - + Can't submit transaction: Kan inte sända överföring: - + Money sent successfully Lyckades skicka pengar - - + + Wallet is not connected to daemon. Plånboken är inte ansluten till nod. - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon Ansluten nod är inte kompatibel med GUI. Uppgradera eller anslut till en annan nod - + Waiting on daemon synchronization to finish Väntar på att nod-synkronisering blir färdig - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Adress <font size='2'> ( Skriv eller välj från </font> <a href='#'>Adressbok</a><font size='2'> )</font> - - - + Payment ID <font size='2'>( Optional )</font> Betalnings-ID <font size='2'>( Valfritt )</font> - + 16 or 64 hexadecimal characters 16 eller 64 hexadecimala tecken - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - Beskrivning <font size='2'>( En valfri beskrivning som sparas i den lokala adressboken om angiven )</font> - - - SEND - SKICKA - - - SWEEP UNMIXABLE - STÄDA BORT OMIXBARA - TxKey @@ -1796,10 +1514,6 @@ Uppgradera eller anslut till en annan nod Verify that a third party made a payment by supplying: Verifiera att en tredje part genomfört en betalning genom att tillhandahålla: - - You can verify that a third party made a payment by supplying: - Du kan verifiera att en tredjepart gjort en betalning genom att tillhandahålla: - - the recipient address @@ -1840,28 +1554,16 @@ Uppgradera eller anslut till en annan nod Paste tx key Klistra in tx-nyckeln - - - the transaction ID, - - överföringens ID, - - the secret transaction key supplied by the sender - den hemliga överföringsnyckeln som tillhandahölls av avsändaren - - - the tx secret key supplied by the sender - - den hemliga tx-nyckeln som tillhandahölls av avsändaren - Transaction key Överföringsnyckel - - CHECK - KONTROLLERA - Check @@ -1871,8 +1573,9 @@ Uppgradera eller anslut till en annan nod WalletManager + Unknown error - Okänt fel + Okänt fel @@ -1887,10 +1590,6 @@ Uppgradera eller anslut till en annan nod Kickstart the Monero blockchain? Kickstarta Monero-blockkedjan? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Det är väldigt viktigt att skriva ner det, då detta är den enda backup som du kommer behöva för din plånbok. Du kommer att ombedas bekräfta fröet på nästa sida, för att säkerställa att det har skrivits ner korrekt. - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1927,14 +1626,6 @@ Uppgradera eller anslut till en annan nod WizardCreateWallet - - A new wallet has been created for you - En ny plånbok har skapats åt dig - - - This is the 25 word mnemonic for your wallet - Detta är minnesfröet på 25 ord för din plånbok - Create a new wallet @@ -1995,14 +1686,6 @@ Uppgradera eller anslut till en annan nod Language Språk - - Account name - Kontonamn - - - Seed - Frö - Wallet name @@ -2028,14 +1711,6 @@ Uppgradera eller anslut till en annan nod Restore height Höjd att återskapa - - An overview of your Monero configuration is below: - En översikt av din Monero-konfiguration visas nedan: - - - You’re all setup! - Du är konfiguerad och klar! - Backup seed @@ -2104,14 +1779,6 @@ Uppgradera eller anslut till en annan nod WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - Det här är namnet på din plånbok. Du kan ändra det till ett annat namn om du önskar: - - - Restore height - Höjd att återskapa - Your wallet is stored in @@ -2160,10 +1827,6 @@ Uppgradera eller anslut till en annan nod WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - Det är väldigt viktigt att skriva ner det, då detta är den enda backup som du kommer behöva för din plånbok. Du kommer att ombedas bekräfta fröet på nästa sida, för att säkerställa att det har skrivits ner korrekt. - Enter your 25 word mnemonic seed @@ -2202,22 +1865,6 @@ Uppgradera eller anslut till en annan nod Open a wallet from file Öppna en plånbok från fil - - This is my first time, I want to create a new account - Det här är min första gång, jag vill skapa ett nytt konto - - - I want to recover my account from my 25 word seed - Jag vill återskapa mitt konto från mitt 25-ords frö - - - I want to open a wallet from file - Jag vill öppna en plånbok från fil - - - Please setup daemon address below. - Ställ in adress för nod nedan. - Testnet @@ -2231,28 +1878,6 @@ Uppgradera eller anslut till en annan nod WizardPassword - - Now that your wallet has been created, please set a password for the wallet - Nu när din plånbok har skapats, ange ett lösenord för plånboken - - - Now that your wallet has been restored, please set a password for the wallet - Nu när din plånbok har återskapats, ange ett lösenord för plånboken - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - Notera att detta lösenord inte kan återskapas, och om det glöms bort måste du återskapa plånboken från minnesfröet som du just fick<br/><br/> - Ditt lösenord kommer att användas för att skydda din plånbok och för att bekräfta handlingar, så säkerställ att ditt lösenord är tillräckligt säkert. - - - Password - Lösenord - - - Confirm password - Bekräfta lösenord - @@ -2282,14 +1907,6 @@ Uppgradera eller anslut till en annan nod WizardRecoveryWallet - - We're ready to recover your account - Vi är redo att återskapa ditt konto - - - Please enter your 25 word private key - Ange ditt 25-ords privata nyckel - Restore wallet @@ -2298,10 +1915,6 @@ Uppgradera eller anslut till en annan nod WizardWelcome - - Welcome - Välkommen - Welcome to Monero! @@ -2316,42 +1929,38 @@ Uppgradera eller anslut till en annan nod main - - - - - - - - - - + + + + + + + + + + Error Fel - + Couldn't open wallet: Kunde inte öppna plånbok: - Synchronizing blocks %1 / %2 - Synkroniserar block %1 / %2 - - - + Can't create transaction: Wrong daemon version: Kan inte skapa överföring: Felaktig nod-version: - - + + No unmixable outputs to sweep Inga omixbara utgångar att städa bort - - + + Amount: @@ -2360,22 +1969,14 @@ Amount: Belopp: - - -Mixin: - - -Inmixning: - - - + Number of transactions: Antal överföringar: - + Description: @@ -2384,111 +1985,111 @@ Description: Beskrivning: - + Amount is wrong: expected number from %1 to %2 Beloppet är felaktigt: borde varit mellan %1 och %2 - + Money sent successfully: %1 transaction(s) Lyckades skicka pengar: %1 överföring(ar) - + Payment check Betalningskontroll - - + + Can't create transaction: Kan inte skapa överföring: - - + + Confirmation Bekräftelse - + Address: Adress: - + Payment ID: Betalnings-ID: - - + + Fee: Avgift: - + Unlocked balance (~%1 min) Olåst saldo (~%1 min) - + Insufficient funds. Unlocked balance: %1 Otillräckliga tillgångar. Olåst saldo: %1 - + Couldn't send the money: Kunde inte skicka pengar: - + Information Information - + Waiting for daemon to stop... Väntar på att noden ska avsluta... - + Daemon failed to start Noden misslyckades att starta - + Please check your wallet and daemon log for errors. You can also try to start %1 manually. Kontrollera din plånbok och nod-logg efter fel. Du kan också försöka starta %1 manuellt. - + Please wait... Vänta... - + Program setup wizard Konfigurationsguide - + Monero Monero - + send to the same destination skicka till samma mottagare - + Ringsize: @@ -2497,79 +2098,75 @@ Ringsize: Ringstorlek: - + This address received %1 monero, but the transaction is not yet mined Denna adress tog emot %1 monero, men överföringen har ännu inte bekräftats - This address received %1 monero, with %2 confirmations - Denna adress tog emot %1 monero, med %2 bekräftelser - - - + This address received nothing Denna adress tog emot ingenting - + Transaction saved to file: %1 Överföring sparad till fil: %1 - + Unlocked balance (waiting for block) Olåst saldo (väntar på block) - + Unlocked balance Olåst saldo - + Waiting for daemon to start... Vänta på att nod startar... - - + + Please confirm transaction: Bekräfta överföring: - + This address received %1 monero, with %2 confirmation(s). Denna adress tog emot %1 monero, med %2 bekräftelse(r). - + Balance (syncing) Saldo (synkroniserar) - + Balance Saldo - + Daemon is running Nod körs - + Daemon will still be running in background when GUI is closed. Noden kommer fortfarande att köras i bakgrunden när applikationen stängts ner. - + Stop daemon Stoppa nod - + New version of monero-wallet-gui is available: %1<br>%2 Ny version av monero-wallet-gui finns tillgänglig: %1<br>%2 diff --git a/translations/monero-core_zh-cn.ts b/translations/monero-core_zh-cn.ts index f6a5b81c..66da15ed 100644 --- a/translations/monero-core_zh-cn.ts +++ b/translations/monero-core_zh-cn.ts @@ -14,86 +14,55 @@ 地址 - - <b>Tip tekst test</b> - - - - + QRCODE 二维码 - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> 付款ID <font size='2'>(可选填)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>付款ID</b><br/><br/>在地址簿里<br/>用以区分的用户名<br/>这不是付款时<br/>传送的信息 - - - + Paste 64 hexadecimal characters 粘贴上16进制字符串的地址 - + Description <font size='2'>(Optional)</font> 描述 <font size='2'>(选填)</font> - + Give this entry a name or description 给予这个地址一个名称或描述 - + Add 新增 - + Error 错误 - + Invalid address 无效的地址 - + Can't create entry 无法新增地址 - - Description <font size='2'>(Local database)</font> - 描述 <font size='2'>(本地数据)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - - - - ADD - 新增 - - - Payment ID - 付款ID - - - Description - 描述 - AddressBookTable @@ -162,17 +131,6 @@ 使用自定义设置 - - DaemonProgress - - Synchronizing blocks %1/%2 - 同步区块中 %1/%2 - - - Synchronizing blocks - 正在同步区块 - - Dashboard @@ -227,68 +185,38 @@ 交易纪录查询 - - <b>Total amount of selected payments</b> - <b>已选择的付款总金额</b> - - - + Type for incremental search... 输入查询条件... - + Filter 查询 - Incremental search - 新增查询条件 - - - Search transfers for a given string - 以关键词查询付款纪录 - - - Type search string - 输入查询关键词 - - - + Date from 日期从 - - - - - - <b>Tip tekst test</b> - - - - - + + To - FILTER - 查询 - - - + Advanced filtering 高级查询 - + Type of transaction 交易类型 - + Amount from 金额从 @@ -375,46 +303,32 @@ 余额 - - Test tip 1<br/><br/>line 2 - - - - + Unlocked balance 可用余额 - - Test tip 2<br/><br/>line 2 - - - - + Send 付款 - + Receive 收款 - + R R - Verify payment - 验证交易 - - - + K K - + History 历史纪录 @@ -424,81 +338,73 @@ 连接到测试网络 - + Address book 地址簿 - + B B - + H H - + Advanced 高级功能 - + D D - + Mining 挖矿 - + M M - + Check payment 交易检查 - + Sign/verify 签名/验证 - + E E - + S S - + I I - + Settings 钱包设置 MiddlePanel - - Balance: - 总余额: - - - Unlocked Balance: - 可用余额: - Balance @@ -522,26 +428,6 @@ (only available for local daemons) (仅限于使用本地区块同步程序) - - Mining helps the Monero network build resilience.<br> - 挖矿可增进Monero网络的安全性<br> - - - The more mining is done, the harder it is to attack the network.<br> - 只要越多使用者在挖矿,Monero 网络就会越难以被攻击<br> - - - Mining also gives you a small chance to earn some Monero.<br> - 挖矿同时能让您有机会赚取额外的门罗币.<br> - - - Your computer will search for Monero block solutions.<br> - 您的计算机将被用来寻找 Monero 区块的解答.<br> - - - If you find a block, you will get the associated reward.<br> - 每当您找到一个区块的解答,您即可以获得其附带的门罗币奖励<br> - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -684,18 +570,6 @@ PrivacyLevelSmall - - LOW - - - - MEDIUM - - - - HIGH - - Low @@ -812,10 +686,6 @@ Amount to receive 欲接收的金额 - - ReadOnly wallet integrated address displayed here - 只读钱包的整合地址会显示在这 - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -851,10 +721,6 @@ Payment ID 付款ID - - 16 or 64 hexadecimal characters - 16或64个十六进制字母 - Generate @@ -909,27 +775,11 @@ Settings - - Click button to show seed - 点选显示种子码 - - - Mnemonic seed: - 辅助记忆种子码: - - - It is very important to write it down as this is the only backup you will need for your wallet. - 请注意这是唯一需要备份的钱包信息,请一定要抄写下来。 - Create view only wallet 创建只读钱包(view only wallet) - - Show seed - 显示种子码 - Manage daemon @@ -1101,10 +951,6 @@ Cancel 取消 - - Wallet mnemonic seed - 钱包辅助记忆种子码 - @@ -1146,10 +992,6 @@ Manage wallet 管理钱包 - - Close current wallet and open wizard - 关闭当前的钱包然后启动设置程序 - Close wallet @@ -1227,20 +1069,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 签名来源之地址<font size='2'> ( 粘帖上或从</font> <a href='#'>地址簿</a> <font size='2'> 中选择 )</font> - - SIGN - 签名 - Or file: 或文件: - - SELECT - 选择文件 - Filename with message to sign @@ -1264,19 +1098,11 @@ Message to verify 欲验证的信息 - - VERIFY - 验证 - Filename with message to verify 附带签名信息的文件名 - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 签名的地址 <font size='2'> ( 输入或从簿选择 </font> <a href='#'>Address</a><font size='2'> 簿选择 )</font> - StandardDialog @@ -1310,16 +1136,36 @@ + Slow (x0.25 fee) + + + + + Default (x1 fee) + + + + + Fast (x5 fee) + + + + + Fastest (x41.5 fee) + + + + All 全部 - + Sent 付款 - + Received 收款 @@ -1331,10 +1177,6 @@ <b>Copy address to clipboard</b> <b>复制至剪贴簿</b> - - <b>Send to same destination</b> - <b>付款到这个地址</b> - <b>Send to this address</b> @@ -1376,18 +1218,6 @@ TickDelegate - - LOW - - - - MEDIUM - - - - HIGH - - Normal @@ -1432,251 +1262,227 @@ 交易优先级 - all - 全部 - - - + Low (x1 fee) 低 (1倍手续费) - + Medium (x20 fee) 中 (20倍手续费) - + High (x166 fee) 高 (166倍手续费) - + Slow (x0.25 fee) - + Default (x1 fee) - + Fast (x5 fee) - + Fastest (x41.5 fee) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 地址<font size='2'> ( 粘帖上或从</font> <a href='#'>地址簿</a> <font size='2'> 中选择 )</font> - + QR Code 二维码 - + Resolve 解析 - + No valid address found at this OpenAlias address 无效的 OpenAlias 地址 - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed 已找到地址,但无法验证其 DNSSEC 的签名,此地址有可能受到欺骗攻击的风险 - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed 无法找到有效地址,但无法验证其 DNSSEC 的签名,此地址有可能受到欺骗攻击的风险 - - + + Internal error 内部错误 - + No address found 没有找到地址 - + Description <font size='2'>( Optional )</font> 描述 <font size='2'>( 选填 )</font> - + Saved to local wallet history 储存至本机钱包纪录 - + Send 付款 - + Show advanced options 显示高级选项 - + Sweep Unmixable 去除无法混淆的金额 - + Create tx file 创建交易文件(tx file) - - sign tx file - 签名交易文件(tx file) - - - submit tx file - 提交交易文件(tx file) - All 全部 - + Sign tx file 签名一个交易文件 - + Submit tx file 提交交易文件 - Rescan spent - 重新扫描付款状态 - - - - + + Error 错误 - Error: - 错误: - - - + Information 信息 - Sucessfully rescanned spent outputs - 重新扫描付款成功 - - - - + + Please choose a file 请选择一个文件 - + Can't load unsigned transaction: 无法加载未签名的交易: - + Number of transactions: 交易数量: - + Transaction #%1 交易 #%1 - + Recipient: 接收方: - + payment ID: 付款ID: - + Amount: 金额: - + Fee: 手续费: - + Ringsize: 环签名大小: - + Confirmation 确认 - + Can't submit transaction: 无法提交交易: - + Money sent successfully 付款成功 - - + + Wallet is not connected to daemon. 钱包没有与区块同步程序(daemon)建立连接。 - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon 已连接的区块同步程序与此GUI钱包不兼容 请升级区块同步程序或是连接至另一个区块同步程序 - + Waiting on daemon synchronization to finish 正在等待区块同步程序完成同步 @@ -1686,79 +1492,23 @@ Please upgrade or connect to another daemon - or ALL - 或发送全部余额 - - - LOW - - - - MEDIUM - - - - HIGH - - - - Privacy level - 隐私等级 - - - + Transaction cost 交易所需的花费 - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 地址 <font size='2'> ( 输入地址或从 </font> <a href='#'>Address</a><font size='2'> 簿选择 )</font> - - - + Payment ID <font size='2'>( Optional )</font> 付款ID <font size='2'>(可不填)</font> - + 16 or 64 hexadecimal characters 16或64个十六进制字符 - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - 描述 <font size='2'>( 选填,将储存在收款地址簿 )</font> - - - SEND - 付款 - - - SWEEP UNMIXABLE - 去除无法混淆的金额 - TxKey - - You can verify that a third party made a payment by supplying: - 您可以在此验证第三方的支付,需提供: - - - - the recipient address, - - 接受方的地址, - - - - the transaction ID, - - 该项交易的交易ID - - - - the tx secret key supplied by the sender - - 支付方提供的 tx 密钥 - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - 如果该支付是同时包含数个交易,每一项交易都必须被确认和合并结果 - Verify that a third party made a payment by supplying: @@ -1814,23 +1564,11 @@ Please upgrade or connect to another daemon Check 检查 - - Transaction ID here - 输入交易ID - Transaction key 交易密钥 - - Transaction key here - 输入交易密钥 - - - CHECK - 检查 - WizardConfigure @@ -1844,10 +1582,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? 开始同步 Monero 区块链? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - 这是唯一需要备份的钱包信息,请一定要抄写下来。你将会在下一个步骤被要求确认这份种子码以确保你有妥善备份它。 - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1884,14 +1618,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - 已为您创建一个新的钱包 - - - This is the 25 word mnemonic for your wallet - 这是钱包的25个辅助记忆种子码 - Create a new wallet @@ -1952,14 +1678,6 @@ Please upgrade or connect to another daemon Language 语言 - - Account name - 账户名称 - - - Seed - 种子码 - Wallet name @@ -2005,14 +1723,6 @@ Please upgrade or connect to another daemon You’re all set up! 您已完成所有设置! - - An overview of your Monero configuration is below: - 以下是您的 Monero 钱包设置总览: - - - You’re all setup! - 您已完成所有设置! - WizardMain @@ -2061,14 +1771,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - 这是您的钱包名称,您也可以自己更改成想要的名称: - - - Restore height - 恢复区块高度 - Wallet name @@ -2117,10 +1819,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - 这是您唯一需要备份的钱包信息,请一定要抄写下来。您将会在下一个后被要求确认这份种子码以确保你有妥善备份它。 - Enter your 25 word mnemonic seed @@ -2164,22 +1862,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) 使用远程区块同步程序的IP或网址 (选填) - - This is my first time, I want to create a new account - 这是我第一次使用,我想要创建一个新的账户 - - - I want to recover my account from my 25 word seed - 我想要从一组25个种子码恢复我的账户 - - - I want to open a wallet from file - 我想要从文件打开钱包 - - - Please setup daemon address below. - 请在下面设置区块链同步程序的位置。 - Testnet @@ -2188,28 +1870,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - 您的新钱包已被创建,请为它设置密码 - - - Now that your wallet has been restored, please set a password for the wallet - 您的钱包已被成功恢复,请为它设置密码 - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - 请注意:这个密码无法被恢复,如果忘记了密码,您将需要用刚刚获得的辅助记忆种子码重新恢复您的钱包<br/><br/> - 密码将会用来保护您的钱包或确认重要的动作,所以请确认您的密码强度足够安全。 - - - Password - 密码 - - - Confirm password - 确认密码 - @@ -2223,12 +1883,6 @@ Please upgrade or connect to another daemon 注意: 这个密码无法被恢复,如果您忘记了这个密码,则必须使用25个种子码恢复您的钱包。<br/><br/> <b>请输入足够强度的密码</b> (使用字母, 数字或别的符号): - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - 注意: 这个密码无法被恢复,如果您忘记了这个密码,则必须使用25个种子码恢复您的钱包。<br/><br/> - <b>请输入足够强度的密码</b> (使用字母, 数字或别的符号): - WizardPasswordUI @@ -2245,14 +1899,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - We're ready to recover your account - 已准备好恢复您的钱包 - - - Please enter your 25 word private key - 请输入您的 25个种子码 - Restore wallet @@ -2261,10 +1907,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - 欢迎 - Welcome to Monero! @@ -2297,10 +1939,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: 无法打开这个钱包: - - Synchronizing blocks %1 / %2 - 同步区块中 %1 / %2 - Unlocked balance (waiting for block) @@ -2432,14 +2070,6 @@ Ringsize: New version of monero-wallet-gui is available: %1<br>%2 有可用的新版本 Monero 钱包: %1<br>%2 - - - -Mixin: - - -混淆数量: - @@ -2496,10 +2126,6 @@ Description: This address received %1 monero, but the transaction is not yet mined 这个地址已收到 %1 monero币,但这笔交易尚未被矿工确认 - - This address received %1 monero, with %2 confirmations - 这个地址已收到 %1 monero币,并已经过 %2 次的确认 - This address received nothing diff --git a/translations/monero-core_zh-tw.ts b/translations/monero-core_zh-tw.ts index 4483ff9d..bb752ea7 100644 --- a/translations/monero-core_zh-tw.ts +++ b/translations/monero-core_zh-tw.ts @@ -14,86 +14,55 @@ 位址 - - <b>Tip tekst test</b> - - - - + QRCODE QR碼 - + 4... 4... - + Payment ID <font size='2'>(Optional)</font> 付款 ID <font size='2'>(可選填)</font> - - <b>Payment ID</b><br/><br/>A unique user name used in<br/>the address book. It is not a<br/>transfer of information sent<br/>during the transfer - <b>付款 ID</b><br/><br/>在位址簿裡<br/>用以區分的使用者名稱<br/>這不是付款時<br/>傳送的資訊 - - - + Paste 64 hexadecimal characters 貼上16進位字元之位址 - + Description <font size='2'>(Optional)</font> 標記 <font size='2'>(選填)</font> - + Give this entry a name or description 給予這個地址一個名稱或標記 - + Add 新增 - + Error 錯誤 - + Invalid address 無效的位址 - + Can't create entry 無法新增位址 - - Description <font size='2'>(Local database)</font> - 描述 <font size='2'>(本地資訊)</font> - - - - <b>Tip test test</b><br/><br/>test line 2 - - - - ADD - 新增 - - - Payment ID - 付款 ID - - - Description - 標記 - AddressBookTable @@ -162,17 +131,6 @@ 使用自訂設定 - - DaemonProgress - - Synchronizing blocks %1/%2 - 同步區塊中 %1 / %2 - - - Synchronizing blocks - 同步區塊中 - - Dashboard @@ -227,68 +185,38 @@ 交易紀錄篩選 - - <b>Total amount of selected payments</b> - <b>已選擇的付款總金額</b> - - - + Type for incremental search... 輸入篩選條件... - + Filter 篩選 - Incremental search - 新增搜尋條件 - - - Search transfers for a given string - 以關鍵字搜尋付款紀錄 - - - Type search string - 輸入搜尋關鍵字 - - - + Date from 日期從 - - - - - - <b>Tip tekst test</b> - - - - - + + To - FILTER - 篩選 - - - + Advanced filtering 進階篩選 - + Type of transaction 交易種類 - + Amount from 金額從 @@ -375,46 +303,42 @@ 餘額 - - Test tip 1<br/><br/>line 2 - - - - + + + + + + Unlocked balance 總餘額 - - Test tip 2<br/><br/>line 2 - - - - + + + + + + Send 付款 - + Receive 收款 - + R R - Verify payment - 確認交易 - - - + K K - + History 歷史紀錄 @@ -424,81 +348,73 @@ 連接到測試網路 - + Address book 位址簿 - + B B - + H H - + Advanced 進階功能 - + D D - + Mining 挖礦 - + M M - + Check payment 交易檢查 - + Sign/verify 簽署 / 驗證 - + E E - + S S - + I I - + Settings 錢包設定 MiddlePanel - - Balance: - 總餘額: - - - Unlocked Balance: - 可用餘額: - Balance @@ -522,26 +438,6 @@ (only available for local daemons) (僅限於使用本地端區塊同步程式) - - Mining helps the Monero network build resilience.<br> - 挖礦可增進 Monero 網路的安全性<br> - - - The more mining is done, the harder it is to attack the network.<br> - 只要越多使用者在挖礦,Monero 網路就會越難以被攻擊<br> - - - Mining also gives you a small chance to earn some Monero.<br> - 挖礦也同時提供您機會賺取一些額外的 Monero 幣<br> - - - Your computer will search for Monero block solutions.<br> - 您的電腦將被用來尋找 Monero 區塊的解答.<br> - - - If you find a block, you will get the associated reward.<br> - 每當您找到一個區塊的解答,您即可以獲得其附帶的獎勵金<br> - Mining with your computer helps strengthen the Monero network. The more that people mine, the harder it is for the network to be attacked, and every little bit helps.<br> <br>Mining also gives you a small chance to earn some Monero. Your computer will create hashes looking for block solutions. If you find a block, you will get the associated reward. Good luck! @@ -623,7 +519,7 @@ Unlocked Balance: - 可用餘額: + 可用餘額: @@ -684,18 +580,6 @@ PrivacyLevelSmall - - LOW - - - - MEDIUM - - - - HIGH - - Low @@ -812,10 +696,6 @@ Amount to receive 欲接收的金額 - - ReadOnly wallet integrated address displayed here - 唯讀錢包的整合位址會顯示在這 - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Tracking <font size='2'> (</font><a href='#'>help</a><font size='2'>)</font> @@ -851,10 +731,6 @@ Payment ID 付款 ID - - 16 or 64 hexadecimal characters - 16 或 64 十六進位字母 - Generate @@ -909,27 +785,11 @@ Settings - - Click button to show seed - 點選顯示種子碼 - - - Mnemonic seed: - 輔助記憶種子碼: - - - It is very important to write it down as this is the only backup you will need for your wallet. - 請注意這是唯一需要備份的錢包資訊,請一定要抄寫下來。 - Create view only wallet 創建唯讀錢包(view only wallet) - - Show seed - 顯示種子碼 - Manage daemon @@ -964,32 +824,32 @@ Show seed & keys - + 顯示種子碼與金鑰 Rescan wallet balance - + 重新掃描錢包餘額 Error: - 錯誤: + 錯誤: Information - 資訊 + 資訊 Sucessfully rescanned spent outputs - 掃描付款狀態的結果 + 已成功重新掃描交易輸出 Blockchain location - + 區塊鏈檔案儲存位置 @@ -1069,41 +929,37 @@ Please choose a folder - + 請選擇一個資料夾 Warning - + 警告 Error: Filesystem is read only - + 錯誤: 沒有寫入權限 Warning: There's only %1 GB available on the device. Blockchain requires ~%2 GB of data. - + 警告: 此裝置剩餘 %1 GB 可用裝置,區塊鏈需要約 %2 GB 存放空間。 Note: There's %1 GB available on the device. Blockchain requires ~%2 GB of data. - + 注意: 此裝置尚有 %1 GB可用空間。 區塊鏈需要約 %2 GB的存放空間。 Note: lmdb folder not found. A new folder will be created. - + 注意: 找不到lmdb資料夾。 將會建立一個新的。 Cancel - 取消 - - - Wallet mnemonic seed - 錢包輔助記憶種子碼 + 取消 @@ -1114,27 +970,27 @@ Wallet seed & keys - + 錢包種子碼與金鑰 Secret view key - + 查看私鑰 (Secret view key) Public view key - + 查看公鑰 (Public view key) Secret spend key - + 花費私鑰 (Secret spend key) Public spend key - + 花費公鑰 (Public spend key) @@ -1146,10 +1002,6 @@ Manage wallet 管理錢包 - - Close current wallet and open wizard - 關閉當前的錢包然後啟動設定精靈 - Close wallet @@ -1227,20 +1079,12 @@ <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 簽署來源之位址<font size='2'> ( 貼上或從</font> <a href='#'>位址簿</a> <font size='2'> 中選擇 )</font> - - SIGN - 簽署 - Or file: 或檔案: - - SELECT - 選擇檔案 - Filename with message to sign @@ -1264,19 +1108,11 @@ Message to verify 欲驗證的訊息 - - VERIFY - 驗證 - Filename with message to verify 附帶簽署訊息的檔案名稱 - - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Signing address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 簽署的位址 <font size='2'> ( 輸入或從簿選擇 </font> <a href='#'>Address</a><font size='2'> 簿選擇 )</font> - StandardDialog @@ -1310,16 +1146,36 @@ + Slow (x0.25 fee) + 較慢 ( x0.25 手續費 ) + + + + Default (x1 fee) + 預設 ( x1 手續費 ) + + + + Fast (x5 fee) + 快速 ( x5 手續費 ) + + + + Fastest (x41.5 fee) + 優先 ( x41.5 手續費 ) + + + All 全部 - + Sent 付款 - + Received 收款 @@ -1331,14 +1187,10 @@ <b>Copy address to clipboard</b> <b>複製至剪貼簿</b> - - <b>Send to same destination</b> - <b>付款到這個位址</b> - <b>Send to this address</b> - + <b>轉帳至此錢包位址</b> @@ -1376,18 +1228,6 @@ TickDelegate - - LOW - - - - MEDIUM - - - - HIGH - - Normal @@ -1432,251 +1272,227 @@ 交易優先程度 - all - 全部 - - - + Low (x1 fee) 低 (1倍手續費) - + Medium (x20 fee) 中 (20倍手續費) - + High (x166 fee) 高 (166倍手續費) - + Slow (x0.25 fee) - + 較慢 ( x0.25 手續費 ) - + Default (x1 fee) - + 預設 ( x1 手續費 ) - + Fast (x5 fee) - + 快速 ( x5 手續費 ) - + Fastest (x41.5 fee) - + 優先 ( x41.5 手續費 ) - + <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Paste in or select from </font> <a href='#'>Address book</a><font size='2'> )</font> <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 位址<font size='2'> ( 貼上或從</font> <a href='#'>位址簿</a> <font size='2'> 中選擇 )</font> - + QR Code QR碼 - + Resolve - 解析 + 解析OpenAlias - + No valid address found at this OpenAlias address 無效的 OpenAlias address 位址 - + Address found, but the DNSSEC signatures could not be verified, so this address may be spoofed 已找到位址,但無法驗證其 DNSSEC 的簽署,此位址有可能受到欺騙攻擊的風險 - + No valid address found at this OpenAlias address, but the DNSSEC signatures could not be verified, so this may be spoofed 無法找到有效位址,但無法驗證其 DNSSEC 的簽署,此位址有可能受到欺騙攻擊的風險 - - + + Internal error 內部錯誤 - + No address found 沒有找到位址 - + Description <font size='2'>( Optional )</font> 標記 <font size='2'>( 選填 )</font> - + Saved to local wallet history 儲存至本機錢包紀錄 - + Send 付款 - + Show advanced options 顯示進階選項 - + Sweep Unmixable 去除無法混幣的金額 - + Create tx file 建立交易檔案(tx file) - - sign tx file - 簽署交易檔案(tx file) - - - submit tx file - 提交交易檔案(tx file) - All 全部 - + Sign tx file 簽署一個交易檔案 - + Submit tx file 提交交易檔案 - Rescan spent - 重新掃描付款狀態 - - - - + + Error 錯誤 - Error: - 錯誤: - - - + Information 資訊 - Sucessfully rescanned spent outputs - 掃描付款狀態的結果 - - - - + + Please choose a file 請選擇一個檔案 - + Can't load unsigned transaction: 無法載入未簽署的交易: - + Number of transactions: 交易數量: - + Transaction #%1 交易 #%1 - + Recipient: 接收方: - + payment ID: 付款 ID: - + Amount: 金額: - + Fee: 手續費: - + Ringsize: 環簽大小: - + Confirmation 確認 - + Can't submit transaction: 無法送出交易: - + Money sent successfully 已成功完成 Monero 付款 - - + + Wallet is not connected to daemon. 錢包沒有與區塊同步程式(daemon)建立連線。 - + Connected daemon is not compatible with GUI. Please upgrade or connect to another daemon 已連接的區塊同步程式與此GUI錢包不相容 請升級區塊同步程式或是連接至另一個同步程式 - + Waiting on daemon synchronization to finish 正在等待區塊同步程式完成同步 @@ -1686,79 +1502,23 @@ Please upgrade or connect to another daemon - or ALL - 或發送全部餘額 - - - LOW - - - - MEDIUM - - - - HIGH - - - - Privacy level - 隱私等級 - - - + Transaction cost 交易所需的花費 - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> Address <font size='2'> ( Type in or select from </font> <a href='#'>Address</a><font size='2'> book )</font> - <style type='text/css'>a {text-decoration: none; color: #FF6C3C; font-size: 14px;}</style> 位址 <font size='2'> ( 輸入位址或從 </font> <a href='#'>Address</a><font size='2'> 簿選擇 )</font> - - - + Payment ID <font size='2'>( Optional )</font> 付款ID <font size='2'>( 可不填 )</font> - + 16 or 64 hexadecimal characters 16 或 64 十六進位字元 - - Description <font size='2'>( An optional description that will be saved to the local address book if entered )</font> - 標記 <font size='2'>( 選填,將儲存在收款位址簿 )</font> - - - SEND - 付款 - - - SWEEP UNMIXABLE - 去除無法混幣的金額 - TxKey - - You can verify that a third party made a payment by supplying: - 您可以在此驗證第三方的支付,需提供: - - - - the recipient address, - - 接受方的位址, - - - - the transaction ID, - - 該項交易的交易ID - - - - the tx secret key supplied by the sender - - 支付方提供的 tx 金鑰 - - - If a payment was made up of several transactions, each transaction must be checked, and the results added - 如果該支付是同時包含數個交易,每一項交易都必須被確認和合併結果 - Verify that a third party made a payment by supplying: @@ -1814,23 +1574,11 @@ Please upgrade or connect to another daemon Check 檢查 - - Transaction ID here - 輸入交易ID - Transaction key 交易金鑰 - - Transaction key here - 輸入交易金鑰 - - - CHECK - 檢查 - WizardConfigure @@ -1844,10 +1592,6 @@ Please upgrade or connect to another daemon Kickstart the Monero blockchain? 開始同步 Monero 區塊鏈? - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - 這是唯一需要備份的錢包資訊,請一定要抄寫下來。你將會在下一個步驟被要求確認這份種子碼以確保你有妥善備份它。 - It is very important to write it down as this is the only backup you will need for your wallet. @@ -1884,14 +1628,6 @@ Please upgrade or connect to another daemon WizardCreateWallet - - A new wallet has been created for you - 已為您建立一個新的錢包 - - - This is the 25 word mnemonic for your wallet - 這是錢包的25字輔助記憶種子碼 - Create a new wallet @@ -1952,14 +1688,6 @@ Please upgrade or connect to another daemon Language 語言 - - Account name - 帳戶名稱 - - - Seed - 種子碼 - Wallet name @@ -2005,14 +1733,6 @@ Please upgrade or connect to another daemon You’re all set up! 您已完成所有設定! - - An overview of your Monero configuration is below: - 以下是您的 Monero 錢包設定總覽: - - - You’re all setup! - 您已完成所有設定! - WizardMain @@ -2061,14 +1781,6 @@ Please upgrade or connect to another daemon WizardManageWalletUI - - This is the name of your wallet. You can change it to a different name if you’d like: - 這是您的錢包名稱,您也可以自己更改成想要的名稱: - - - Restore height - 回復區塊高度 - Wallet name @@ -2117,10 +1829,6 @@ Please upgrade or connect to another daemon WizardMemoTextInput - - It is very important to write it down as this is the only backup you will need for your wallet. You will be asked to confirm the seed in the next screen to ensure it has copied down correctly. - 這是您唯一需要備份的錢包資訊,請一定要抄寫下來。您將會在下一個後被要求確認這份種子碼以確保你有妥善備份它。 - Enter your 25 word mnemonic seed @@ -2164,22 +1872,6 @@ Please upgrade or connect to another daemon Custom daemon address (optional) 使用遠端區塊同步程式的IP或網址 (選填) - - This is my first time, I want to create a new account - 這是我第一次使用,我想要創建一個新的帳戶 - - - I want to recover my account from my 25 word seed - 我想要從一組25字種子碼回復我的帳戶 - - - I want to open a wallet from file - 我想要從檔案開啟錢包 - - - Please setup daemon address below. - 請在下面設定區塊鏈同步程式的位置。 - Testnet @@ -2188,28 +1880,6 @@ Please upgrade or connect to another daemon WizardPassword - - Now that your wallet has been created, please set a password for the wallet - 您的新錢包已被建立,請為它設定一組密碼 - - - Now that your wallet has been restored, please set a password for the wallet - 您的錢包已被成功回復,請為它設定一組密碼 - - - Note that this password cannot be recovered, and if forgotten you will need to restore your wallet from the mnemonic seed you were just given<br/><br/> - Your password will be used to protect your wallet and to confirm actions, so make sure that your password is sufficiently secure. - 請注意:這個密碼無法被回復,如果忘記了這組密碼,您將需要用剛剛獲得的輔助記憶種子碼重新回復您的錢包<br/><br/> - 密碼將會用來保護您的錢包或確認重要的動作,所以請確認您的密碼強度足夠安全。 - - - Password - 密碼 - - - Confirm password - 確認密碼 - @@ -2223,12 +1893,6 @@ Please upgrade or connect to another daemon 注意: 這個密碼無法被回復,如果您忘記了這個密碼,則必須使用25字種子碼回復您的錢包。<br/><br/> <b>請輸入足夠強度的密碼</b> (使用字母, 數字或可搭配符號): - - Note: this password cannot be recovered. If you forget it then the wallet will have to be restored from its 25 word mnemonic seed.<br/><br/> - <b>Enter a strong password</b> (using letters, numbers, and/or symbols): - 注意: 這個密碼無法被回復,如果您忘記了這個密碼,則必須使用25字種子碼回復您的錢包。<br/><br/> - <b>請輸入足夠強度的密碼</b> (使用字母, 數字或可搭配符號): - WizardPasswordUI @@ -2245,14 +1909,6 @@ Please upgrade or connect to another daemon WizardRecoveryWallet - - We're ready to recover your account - 已準備好回復您的錢包 - - - Please enter your 25 word private key - 請輸入您的 25字種子碼 - Restore wallet @@ -2261,10 +1917,6 @@ Please upgrade or connect to another daemon WizardWelcome - - Welcome - 歡迎 - Welcome to Monero! @@ -2297,10 +1949,6 @@ Please upgrade or connect to another daemon Couldn't open wallet: 無法開啟這個錢包: - - Synchronizing blocks %1 / %2 - 同步區塊中 %1 / %2 - Unlocked balance (waiting for block) @@ -2432,14 +2080,6 @@ Ringsize: New version of monero-wallet-gui is available: %1<br>%2 有可用的新版本 Monero 錢包: %1<br>%2 - - - -Mixin: - - -混幣數量: - @@ -2496,10 +2136,6 @@ Description: This address received %1 monero, but the transaction is not yet mined 這個位址已收到 %1 monero幣,但這筆交易尚未被礦工確認 - - This address received %1 monero, with %2 confirmations - 這個位址已收到 %1 monero幣,並已經過 %2 次的確認 - This address received nothing