diff --git a/README.md b/README.md index 3e9ec259806..f7fa9988f23 100644 --- a/README.md +++ b/README.md @@ -3,7 +3,7 @@ Bitcoin Core integration/staging tree http://www.bitcoin.org -Copyright (c) 2009-2014 Bitcoin Core Developers +Copyright (c) 2009-2015 Bitcoin Core Developers What is Bitcoin? ---------------- @@ -81,3 +81,38 @@ Periodically the translations are pulled from Transifex and merged into the git **Important**: We do not accept translation changes as github pull request because the next pull from Transifex would automatically overwrite them again. + +Development tips and tricks +--------------------------- + +**compiling for debugging** + +Run configure with the --enable-debug option, then make. Or run configure with +CXXFLAGS="-g -ggdb -O0" or whatever debug flags you need. + +**debug.log** + +If the code is behaving strangely, take a look in the debug.log file in the data directory; +error and debugging message are written there. + +The -debug=... command-line option controls debugging; running with just -debug will turn +on all categories (and give you a very large debug.log file). + +The Qt code routes qDebug() output to debug.log under category "qt": run with -debug=qt +to see it. + +**testnet and regtest modes** + +Run with the -testnet option to run with "play bitcoins" on the test network, if you +are testing multi-machine code that needs to operate across the internet. + +If you are testing something that can run on one machine, run with the -regtest option. +In regression test mode blocks can be created on-demand; see qa/rpc-tests/ for tests +that run in -regest mode. + +**DEBUG_LOCKORDER** + +Bitcoin Core is a multithreaded application, and deadlocks or other multithreading bugs +can be very difficult to track down. Compiling with -DDEBUG_LOCKORDER (configure +CXXFLAGS="-DDEBUG_LOCKORDER -g") inserts run-time checks to keep track of what locks +are held, and adds warning to the debug.log file if inconsistencies are detected. diff --git a/configure.ac b/configure.ac index 6a8afe6e445..7924105d691 100644 --- a/configure.ac +++ b/configure.ac @@ -2,10 +2,10 @@ dnl require autoconf 2.60 (AS_ECHO/AS_ECHO_N) AC_PREREQ([2.60]) define(_CLIENT_VERSION_MAJOR, 0) define(_CLIENT_VERSION_MINOR, 9) -define(_CLIENT_VERSION_REVISION, 99) +define(_CLIENT_VERSION_REVISION, 5) define(_CLIENT_VERSION_BUILD, 0) -define(_CLIENT_VERSION_IS_RELEASE, false) -define(_COPYRIGHT_YEAR, 2014) +define(_CLIENT_VERSION_IS_RELEASE, true) +define(_COPYRIGHT_YEAR, 2015) AC_INIT([Bitcoin Core],[_CLIENT_VERSION_MAJOR._CLIENT_VERSION_MINOR._CLIENT_VERSION_REVISION],[info@bitcoin.org],[bitcoin]) AC_CONFIG_AUX_DIR([src/build-aux]) AC_CONFIG_MACRO_DIR([src/m4]) @@ -232,12 +232,25 @@ case $host in AC_CHECK_PROG([BREW],brew, brew) if test x$BREW = xbrew; then - dnl add default homebrew paths - openssl_prefix=`$BREW --prefix openssl` - bdb_prefix=`$BREW --prefix berkeley-db4` - export PKG_CONFIG_PATH="$openssl_prefix/lib/pkgconfig:$PKG_CONFIG_PATH" - CPPFLAGS="$CPPFLAGS -I$bdb_prefix/include" - LIBS="$LIBS -L$bdb_prefix/lib" + dnl These Homebrew packages may be bottled, meaning that they won't be found + dnl in expected paths because they may conflict with system files. Ask + dnl Homebrew where each one is located, then adjust paths accordingly. + dnl It's safe to add these paths even if the functionality is disabled by + dnl the user (--without-wallet or --without-gui for example). + + openssl_prefix=`$BREW --prefix openssl 2>/dev/null` + bdb_prefix=`$BREW --prefix berkeley-db4 2>/dev/null` + qt5_prefix=`$BREW --prefix qt5 2>/dev/null` + if test x$openssl_prefix != x; then + export PKG_CONFIG_PATH="$openssl_prefix/lib/pkgconfig:$PKG_CONFIG_PATH" + fi + if test x$bdb_prefix != x; then + CPPFLAGS="$CPPFLAGS -I$bdb_prefix/include" + LIBS="$LIBS -L$bdb_prefix/lib" + fi + if test x$qt5_prefix != x; then + export PKG_CONFIG_PATH="$qt5_prefix/lib/pkgconfig:$PKG_CONFIG_PATH" + fi fi else case $build_os in @@ -303,6 +316,8 @@ INCLUDES="$INCLUDES $PTHREAD_CFLAGS" # they also need to be passed down to any subprojects. Pull the results out of # the cache and add them to CPPFLAGS. AC_SYS_LARGEFILE +# detect POSIX or GNU variant of strerror_r +AC_FUNC_STRERROR_R if test x$ac_cv_sys_file_offset_bits != x && test x$ac_cv_sys_file_offset_bits != xno && @@ -323,7 +338,10 @@ if test x$use_glibc_compat != xno; then #__fdelt_chk's params and return type have changed from long unsigned int to long int. # See which one is present here. AC_MSG_CHECKING(__fdelt_chk type) - AC_TRY_COMPILE([#define __USE_FORTIFY_LEVEL 2 + AC_TRY_COMPILE([#ifdef _FORTIFY_SOURCE + #undef _FORTIFY_SOURCE + #endif + #define _FORTIFY_SOURCE 2 #include extern "C" long unsigned int __fdelt_warn(long unsigned int);],[], [ fdelt_type="long unsigned int"], @@ -418,7 +436,7 @@ if test x$use_tests = xyes; then dnl Determine if -DBOOST_TEST_DYN_LINK is needed AC_MSG_CHECKING([for dynamic linked boost test]) TEMP_LIBS="$LIBS" - LIBS="$LIBS $BOOST_UNIT_TEST_FRAMEWORK_LIB" + LIBS="$LIBS $BOOST_LDFLAGS $BOOST_UNIT_TEST_FRAMEWORK_LIB" TEMP_CPPFLAGS="$CPPFLAGS" CPPFLAGS="$CPPFLAGS $BOOST_CPPFLAGS" AC_LINK_IFELSE([AC_LANG_SOURCE([ @@ -491,7 +509,7 @@ CPPFLAGS="$TEMP_CPPFLAGS" fi if test x$boost_sleep != xyes; then - AC_MSG_ERROR(No working boost sleep implementation found. If on ubuntu 13.10 with libboost1.54-all-dev remove libboost.1.54-all-dev and use libboost1.53-all-dev) + AC_MSG_ERROR(No working boost sleep implementation found.) fi AC_ARG_WITH([cli], @@ -601,7 +619,7 @@ else AC_MSG_RESULT($use_upnp_default) AC_DEFINE_UNQUOTED([USE_UPNP],[$upnp_setting],[UPnP support not compiled if undefined, otherwise value (0 or 1) determines default state]) if test x$TARGET_OS = xwindows; then - CPPFLAGS="$CPPFLAGS -DSTATICLIB" + CPPFLAGS="$CPPFLAGS -DMINIUPNP_STATICLIB" fi else AC_MSG_RESULT(no) diff --git a/contrib/debian/control b/contrib/debian/control index 9e006a70701..9b6df8e7175 100644 --- a/contrib/debian/control +++ b/contrib/debian/control @@ -38,8 +38,9 @@ Description: peer-to-peer network based digital currency - daemon Full transaction history is stored locally at each client. This requires 20+ GB of space, slowly growing. . - This package provides bitcoind, a combined daemon and CLI tool to - interact with the daemon. + + This package provides the daemon, bitcoind, and the CLI tool + bitcoin-cli to interact with the daemon. Package: bitcoin-qt Architecture: any diff --git a/contrib/debian/manpages/bitcoin.conf.5 b/contrib/debian/manpages/bitcoin.conf.5 index eef213149d5..7438b4b66ad 100644 --- a/contrib/debian/manpages/bitcoin.conf.5 +++ b/contrib/debian/manpages/bitcoin.conf.5 @@ -37,9 +37,6 @@ You must set *rpcuser* to secure the JSON-RPC api. \fBrpcpassword=\fR\fI'password'\fR You must set *rpcpassword* to secure the JSON-RPC api. .TP -\fBrpctimeout=\fR\fI'30'\fR -How many seconds *bitcoin* will wait for a complete RPC HTTP request, after the HTTP connection is established. -.TP \fBrpcallowip=\fR\fI'192.168.1.*'\fR By default, only RPC connections from localhost are allowed. Specify as many *rpcallowip=* settings as you like to allow connections from other hosts (and you may use * as a wildcard character). .TP diff --git a/contrib/devtools/update-translations.py b/contrib/devtools/update-translations.py index 1950a42678d..0be632069a9 100755 --- a/contrib/devtools/update-translations.py +++ b/contrib/devtools/update-translations.py @@ -14,13 +14,14 @@ TODO: - auto-add new translations to the build system according to the translation process -- remove 'unfinished' translation items ''' from __future__ import division, print_function import subprocess import re import sys import os +import io +import xml.etree.ElementTree as ET # Name of transifex tool TX = 'tx' @@ -40,24 +41,143 @@ def fetch_all_translations(): print('Error while fetching translations', file=sys.stderr) exit(1) -def postprocess_translations(): - print('Postprocessing...') +def find_format_specifiers(s): + '''Find all format specifiers in a string.''' + pos = 0 + specifiers = [] + while True: + percent = s.find('%', pos) + if percent < 0: + break + specifiers.append(s[percent+1]) + pos = percent+2 + return specifiers + +def split_format_specifiers(specifiers): + '''Split format specifiers between numeric (Qt) and others (strprintf)''' + numeric = [] + other = [] + for s in specifiers: + if s in {'1','2','3','4','5','6','7','8','9'}: + numeric.append(s) + else: + other.append(s) + + # numeric (Qt) can be present in any order, others (strprintf) must be in specified order + return set(numeric),other + +def sanitize_string(s): + '''Sanitize string for printing''' + return s.replace('\n',' ') + +def check_format_specifiers(source, translation, errors): + source_f = split_format_specifiers(find_format_specifiers(source)) + # assert that no source messages contain both Qt and strprintf format specifiers + # if this fails, go change the source as this is hacky and confusing! + assert(not(source_f[0] and source_f[1])) + try: + translation_f = split_format_specifiers(find_format_specifiers(translation)) + except IndexError: + errors.append("Parse error in translation '%s'" % sanitize_string(translation)) + return False + else: + if source_f != translation_f: + errors.append("Mismatch between '%s' and '%s'" % (sanitize_string(source), sanitize_string(translation))) + return False + return True + +def all_ts_files(suffix=''): for filename in os.listdir(LOCALE_DIR): # process only language files, and do not process source language - if not filename.endswith('.ts') or filename == SOURCE_LANG: + if not filename.endswith('.ts'+suffix) or filename == SOURCE_LANG+suffix: continue + if suffix: # remove provided suffix + filename = filename[0:-len(suffix)] filepath = os.path.join(LOCALE_DIR, filename) - with open(filepath, 'rb') as f: + yield(filename, filepath) + +FIX_RE = re.compile(b'[\x00-\x09\x0b\x0c\x0e-\x1f]') +def remove_invalid_characters(s): + '''Remove invalid characters from translation string''' + return FIX_RE.sub(b'', s) + +# Override cdata escape function to make our output match Qt's (optional, just for cleaner diffs for +# comparison, disable by default) +_orig_escape_cdata = None +def escape_cdata(text): + text = _orig_escape_cdata(text) + text = text.replace("'", ''') + text = text.replace('"', '"') + return text + +def postprocess_translations(reduce_diff_hacks=False): + print('Checking and postprocessing...') + + if reduce_diff_hacks: + global _orig_escape_cdata + _orig_escape_cdata = ET._escape_cdata + ET._escape_cdata = escape_cdata + + for (filename,filepath) in all_ts_files(): + os.rename(filepath, filepath+'.orig') + + have_errors = False + for (filename,filepath) in all_ts_files('.orig'): + # pre-fixups to cope with transifex output + parser = ET.XMLParser(encoding='utf-8') # need to override encoding because 'utf8' is not understood only 'utf-8' + with open(filepath + '.orig', 'rb') as f: data = f.read() - # remove non-allowed control characters - data = re.sub('[\x00-\x09\x0b\x0c\x0e-\x1f]', '', data) - data = data.split('\n') - # strip locations from non-origin translation - # location tags are used to guide translators, they are not necessary for compilation - # TODO: actually process XML instead of relying on Transifex's one-tag-per-line output format - data = [line for line in data if not '', b'/>') + with open(filepath, 'wb') as f: + f.write(out) + else: + tree.write(filepath, encoding='utf-8') + return have_errors if __name__ == '__main__': check_at_repository_root() diff --git a/contrib/gitian-descriptors/deps-linux.yml b/contrib/gitian-descriptors/deps-linux.yml index af10461b832..d1e37833d92 100644 --- a/contrib/gitian-descriptors/deps-linux.yml +++ b/contrib/gitian-descriptors/deps-linux.yml @@ -16,8 +16,8 @@ packages: reference_datetime: "2013-06-01 00:00:00" remotes: [] files: -- "openssl-1.0.1g.tar.gz" -- "miniupnpc-1.9.tar.gz" +- "openssl-1.0.1k.tar.gz" +- "miniupnpc-1.9.20140701.tar.gz" - "qrencode-3.4.3.tar.bz2" - "protobuf-2.5.0.tar.bz2" - "db-4.8.30.NC.tar.gz" @@ -30,15 +30,15 @@ script: | export TZ=UTC export LIBRARY_PATH="$STAGING/lib" # Integrity Check - echo "53cb818c3b90e507a8348f4f5eaedb05d8bfe5358aabb508b7263cc670c3e028 openssl-1.0.1g.tar.gz" | sha256sum -c - echo "2923e453e880bb949e3d4da9f83dd3cb6f08946d35de0b864d0339cf70934464 miniupnpc-1.9.tar.gz" | sha256sum -c + echo "8f9faeaebad088e772f4ef5e38252d472be4d878c6b3a2718c10a4fcebe7a41c openssl-1.0.1k.tar.gz" | sha256sum -c + echo "26f3985bad7768b8483b793448ae49414cdc4451d0ec83e7c1944367e15f9f07 miniupnpc-1.9.20140701.tar.gz" | sha256sum -c echo "dfd71487513c871bad485806bfd1fdb304dedc84d2b01a8fb8e0940b50597a98 qrencode-3.4.3.tar.bz2" | sha256sum -c echo "13bfc5ae543cf3aa180ac2485c0bc89495e3ae711fc6fab4f8ffe90dfb4bb677 protobuf-2.5.0.tar.bz2" | sha256sum -c echo "12edc0df75bf9abd7f82f821795bcee50f42cb2e5f76a6a281b85732798364ef db-4.8.30.NC.tar.gz" | sha256sum -c # - tar xzf openssl-1.0.1g.tar.gz - cd openssl-1.0.1g + tar xzf openssl-1.0.1k.tar.gz + cd openssl-1.0.1k # need -fPIC to avoid relocation error in 64 bit builds ./config no-shared no-zlib no-dso no-krb5 --openssldir=$STAGING -fPIC # need to build OpenSSL with faketime because a timestamp is embedded into cversion.o @@ -46,8 +46,8 @@ script: | make install_sw cd .. # - tar xzfm miniupnpc-1.9.tar.gz - cd miniupnpc-1.9 + tar xzfm miniupnpc-1.9.20140701.tar.gz + cd miniupnpc-1.9.20140701 # miniupnpc is always built with -fPIC INSTALLPREFIX=$STAGING make $MAKEOPTS install rm -f $STAGING/lib/libminiupnpc.so* # no way to skip shared lib build @@ -95,4 +95,4 @@ script: | done # cd $STAGING - find include lib bin host | sort | zip -X@ $OUTDIR/bitcoin-deps-linux${GBUILD_BITS}-gitian-r5.zip + find include lib bin host | sort | zip -X@ $OUTDIR/bitcoin-deps-linux${GBUILD_BITS}-gitian-r9.zip diff --git a/contrib/gitian-descriptors/deps-win.yml b/contrib/gitian-descriptors/deps-win.yml index 17ac413d80e..4e6ac954a66 100644 --- a/contrib/gitian-descriptors/deps-win.yml +++ b/contrib/gitian-descriptors/deps-win.yml @@ -14,9 +14,9 @@ packages: reference_datetime: "2011-01-30 00:00:00" remotes: [] files: -- "openssl-1.0.1g.tar.gz" +- "openssl-1.0.1k.tar.gz" - "db-4.8.30.NC.tar.gz" -- "miniupnpc-1.9.tar.gz" +- "miniupnpc-1.9.20140701.tar.gz" - "zlib-1.2.8.tar.gz" - "libpng-1.6.8.tar.gz" - "qrencode-3.4.3.tar.bz2" @@ -28,9 +28,9 @@ script: | INDIR=$HOME/build TEMPDIR=$HOME/tmp # Input Integrity Check - echo "53cb818c3b90e507a8348f4f5eaedb05d8bfe5358aabb508b7263cc670c3e028 openssl-1.0.1g.tar.gz" | sha256sum -c + echo "8f9faeaebad088e772f4ef5e38252d472be4d878c6b3a2718c10a4fcebe7a41c openssl-1.0.1k.tar.gz" | sha256sum -c echo "12edc0df75bf9abd7f82f821795bcee50f42cb2e5f76a6a281b85732798364ef db-4.8.30.NC.tar.gz" | sha256sum -c - echo "2923e453e880bb949e3d4da9f83dd3cb6f08946d35de0b864d0339cf70934464 miniupnpc-1.9.tar.gz" | sha256sum -c + echo "26f3985bad7768b8483b793448ae49414cdc4451d0ec83e7c1944367e15f9f07 miniupnpc-1.9.20140701.tar.gz" | sha256sum -c echo "36658cb768a54c1d4dec43c3116c27ed893e88b02ecfcb44f2166f9c0b7f2a0d zlib-1.2.8.tar.gz" | sha256sum -c echo "32c7acf1608b9c8b71b743b9780adb7a7b347563dbfb4a5263761056da44cc96 libpng-1.6.8.tar.gz" | sha256sum -c echo "dfd71487513c871bad485806bfd1fdb304dedc84d2b01a8fb8e0940b50597a98 qrencode-3.4.3.tar.bz2" | sha256sum -c @@ -48,8 +48,8 @@ script: | mkdir -p $INSTALLPREFIX $BUILDDIR cd $BUILDDIR # - tar xzf $INDIR/openssl-1.0.1g.tar.gz - cd openssl-1.0.1g + tar xzf $INDIR/openssl-1.0.1k.tar.gz + cd openssl-1.0.1k if [ "$BITS" == "32" ]; then OPENSSL_TGT=mingw else @@ -67,8 +67,8 @@ script: | make install_lib install_include cd ../.. # - tar xzf $INDIR/miniupnpc-1.9.tar.gz - cd miniupnpc-1.9 + tar xzf $INDIR/miniupnpc-1.9.20140701.tar.gz + cd miniupnpc-1.9.20140701 echo " --- miniupnpc-1.9/Makefile.mingw.orig 2013-09-29 18:52:51.014087958 -1000 +++ miniupnpc-1.9/Makefile.mingw 2013-09-29 19:09:29.663318691 -1000 @@ -124,5 +124,5 @@ script: | done # cd $INSTALLPREFIX - find include lib | sort | zip -X@ $OUTDIR/bitcoin-deps-win$BITS-gitian-r12.zip + find include lib | sort | zip -X@ $OUTDIR/bitcoin-deps-win$BITS-gitian-r16.zip done # for BITS in diff --git a/contrib/gitian-descriptors/gitian-linux.yml b/contrib/gitian-descriptors/gitian-linux.yml index bb59e1cecbb..d2fe3ebe877 100644 --- a/contrib/gitian-descriptors/gitian-linux.yml +++ b/contrib/gitian-descriptors/gitian-linux.yml @@ -25,8 +25,8 @@ remotes: - "url": "https://github.com/bitcoin/bitcoin.git" "dir": "bitcoin" files: -- "bitcoin-deps-linux32-gitian-r5.zip" -- "bitcoin-deps-linux64-gitian-r5.zip" +- "bitcoin-deps-linux32-gitian-r9.zip" +- "bitcoin-deps-linux64-gitian-r9.zip" - "boost-linux32-1.55.0-gitian-r1.zip" - "boost-linux64-1.55.0-gitian-r1.zip" - "qt-linux32-4.6.4-gitian-r1.tar.gz" @@ -43,7 +43,7 @@ script: | # mkdir -p $STAGING cd $STAGING - unzip ../build/bitcoin-deps-linux${GBUILD_BITS}-gitian-r5.zip + unzip ../build/bitcoin-deps-linux${GBUILD_BITS}-gitian-r9.zip unzip ../build/boost-linux${GBUILD_BITS}-1.55.0-gitian-r1.zip tar -zxf ../build/qt-linux${GBUILD_BITS}-4.6.4-gitian-r1.tar.gz cd ../build @@ -59,7 +59,7 @@ script: | local: *; };' > $LINKER_SCRIPT function do_configure { - ./configure "$@" --enable-upnp-default --prefix=$STAGING --with-protoc-bindir=$STAGING/host/bin --with-qt-bindir=$STAGING/bin --with-boost=$STAGING --disable-maintainer-mode --disable-dependency-tracking PKG_CONFIG_PATH="$STAGING/lib/pkgconfig" CPPFLAGS="-I$STAGING/include ${OPTFLAGS}" LDFLAGS="-L$STAGING/lib -Wl,--version-script=$LINKER_SCRIPT ${OPTFLAGS}" CXXFLAGS="-frandom-seed=bitcoin ${OPTFLAGS}" BOOST_CHRONO_EXTRALIBS="-lrt" --enable-glibc-back-compat + ./configure "$@" --prefix=$STAGING --with-protoc-bindir=$STAGING/host/bin --with-qt-bindir=$STAGING/bin --with-boost=$STAGING --disable-maintainer-mode --disable-dependency-tracking PKG_CONFIG_PATH="$STAGING/lib/pkgconfig" CPPFLAGS="-I$STAGING/include ${OPTFLAGS}" LDFLAGS="-L$STAGING/lib -Wl,--version-script=$LINKER_SCRIPT ${OPTFLAGS}" CXXFLAGS="-frandom-seed=bitcoin ${OPTFLAGS}" BOOST_CHRONO_EXTRALIBS="-lrt" --enable-glibc-back-compat } # cd bitcoin diff --git a/contrib/gitian-descriptors/gitian-osx-bitcoin.yml b/contrib/gitian-descriptors/gitian-osx-bitcoin.yml new file mode 100644 index 00000000000..1a8a6758726 --- /dev/null +++ b/contrib/gitian-descriptors/gitian-osx-bitcoin.yml @@ -0,0 +1,60 @@ +--- +name: "bitcoin" +suites: +- "precise" +architectures: +- "i386" +packages: +- "git-core" +- "automake" +- "faketime" +- "bsdmainutils" +- "pkg-config" +- "p7zip-full" + +reference_datetime: "2013-06-01 00:00:00" +remotes: +- "url": "https://github.com/bitcoin/bitcoin.git" + "dir": "bitcoin" +files: +- "osx-native-depends-r3.tar.gz" +- "osx-depends-r8.tar.gz" +- "osx-depends-qt-5.2.1-r7.tar.gz" +- "MacOSX10.7.sdk.tar.gz" + +script: | + + HOST=x86_64-apple-darwin11 + PREFIX=`pwd`/osx-cross-depends/prefix + SDK=`pwd`/osx-cross-depends/SDKs/MacOSX10.7.sdk + NATIVEPREFIX=`pwd`/osx-cross-depends/native-prefix + export TAR_OPTIONS="-m --mtime="$REFERENCE_DATE\\\ $REFERENCE_TIME"" + + export SOURCES_PATH=`pwd` + + mkdir -p osx-cross-depends/SDKs + + tar -C osx-cross-depends/SDKs -xf ${SOURCES_PATH}/MacOSX10.7.sdk.tar.gz + + tar -C osx-cross-depends -xf osx-native-depends-r3.tar.gz + tar -C osx-cross-depends -xf osx-depends-r8.tar.gz + tar -C osx-cross-depends -xf osx-depends-qt-5.2.1-r7.tar.gz + export PATH=`pwd`/osx-cross-depends/native-prefix/bin:$PATH + + cd bitcoin + + export ZERO_AR_DATE=1 + export QT_RCC_TEST=1 + ./autogen.sh + ./configure --host=${HOST} --with-boost=${PREFIX} CC=clang CXX=clang++ OBJC=clang OBJCXX=clang++ CFLAGS="-target ${HOST} -mmacosx-version-min=10.6 --sysroot ${SDK} -msse2 -Qunused-arguments" CXXFLAGS="-target ${HOST} -mmacosx-version-min=10.6 --sysroot ${SDK} -msse2 -Qunused-arguments" LDFLAGS="-B${NATIVEPREFIX}/bin -L${PREFIX}/lib -L${SDK}/usr/lib/i686-apple-darwin10/4.2.1" CPPFLAGS="-I${NATIVEPREFIX}/lib/clang/3.2/include -I${PREFIX}/include" SSL_LIBS="-lz -lssl -lcrypto" --disable-tests -with-gui=qt5 PKG_CONFIG_LIBDIR="${PREFIX}/lib/pkgconfig" --disable-dependency-tracking --disable-maintainer-mode + make dist + mkdir -p distsrc + cd distsrc + tar --strip-components=1 -xf ../bitcoin-*.tar* + ./configure --host=${HOST} --with-boost=${PREFIX} CC=clang CXX=clang++ OBJC=clang OBJCXX=clang++ CFLAGS="-target ${HOST} -mmacosx-version-min=10.6 --sysroot ${SDK} -msse2 -Qunused-arguments" CXXFLAGS="-target ${HOST} -mmacosx-version-min=10.6 --sysroot ${SDK} -msse2 -Qunused-arguments" LDFLAGS="-B${NATIVEPREFIX}/bin -L${PREFIX}/lib -L${SDK}/usr/lib/i686-apple-darwin10/4.2.1" CPPFLAGS="-I${NATIVEPREFIX}/lib/clang/3.2/include -I${PREFIX}/include" SSL_LIBS="-lz -lssl -lcrypto" --disable-tests -with-gui=qt5 PKG_CONFIG_LIBDIR="${PREFIX}/lib/pkgconfig" --disable-dependency-tracking --disable-maintainer-mode + make $MAKEOPTS + export LD_PRELOAD=/usr/lib/faketime/libfaketime.so.1 + export FAKETIME=$REFERENCE_DATETIME + export TZ=UTC + make deploy + dmg dmg Bitcoin-Qt.dmg $OUTDIR/Bitcoin-Qt.dmg diff --git a/contrib/gitian-descriptors/gitian-osx-depends.yml b/contrib/gitian-descriptors/gitian-osx-depends.yml new file mode 100644 index 00000000000..68c8219ffdd --- /dev/null +++ b/contrib/gitian-descriptors/gitian-osx-depends.yml @@ -0,0 +1,159 @@ +--- +name: "osx-depends" +suites: +- "precise" +architectures: +- "i386" +packages: +- "git-core" +- "automake" +- "p7zip-full" + +reference_datetime: "2013-06-01 00:00:00" +remotes: [] +files: +- "boost_1_55_0.tar.bz2" +- "db-4.8.30.NC.tar.gz" +- "miniupnpc-1.9.20140701.tar.gz" +- "openssl-1.0.1k.tar.gz" +- "protobuf-2.5.0.tar.bz2" +- "qrencode-3.4.3.tar.bz2" +- "MacOSX10.7.sdk.tar.gz" +- "osx-native-depends-r3.tar.gz" + +script: | + + echo "fff00023dd79486d444c8e29922f4072e1d451fc5a4d2b6075852ead7f2b7b52 boost_1_55_0.tar.bz2" | sha256sum -c + echo "12edc0df75bf9abd7f82f821795bcee50f42cb2e5f76a6a281b85732798364ef db-4.8.30.NC.tar.gz" | sha256sum -c + echo "26f3985bad7768b8483b793448ae49414cdc4451d0ec83e7c1944367e15f9f07 miniupnpc-1.9.20140701.tar.gz" | sha256sum -c + echo "8f9faeaebad088e772f4ef5e38252d472be4d878c6b3a2718c10a4fcebe7a41c openssl-1.0.1k.tar.gz" | sha256sum -c + echo "13bfc5ae543cf3aa180ac2485c0bc89495e3ae711fc6fab4f8ffe90dfb4bb677 protobuf-2.5.0.tar.bz2" | sha256sum -c + echo "dfd71487513c871bad485806bfd1fdb304dedc84d2b01a8fb8e0940b50597a98 qrencode-3.4.3.tar.bz2" | sha256sum -c + + REVISION=r8 + export SOURCES_PATH=`pwd` + export TAR_OPTIONS="-m --mtime="$REFERENCE_DATE\\\ $REFERENCE_TIME"" + export PATH=$HOME:$PATH + export SOURCES_PATH=`pwd` + export ZERO_AR_DATE=1 + + mkdir -p osx-cross-depends/build + cd osx-cross-depends + + PREFIX=`pwd`/prefix + NATIVEPREFIX=`pwd`/native-prefix + BUILD_BASE=`pwd`/build + SDK=`pwd`/SDKs/MacOSX10.7.sdk + HOST=x86_64-apple-darwin11 + MIN_VERSION=10.6 + + INT_CFLAGS="-target ${HOST} -mmacosx-version-min=${MIN_VERSION} --sysroot ${SDK} -msse2 -Qunused-arguments" + INT_CXXFLAGS="${INT_CFLAGS}" + INT_LDFLAGS="-L${PREFIX}/lib -L${SDK}/usr/lib/i686-apple-darwin10/4.2.1" + INT_LDFLAGS_CLANG="-B${NATIVEPREFIX}/bin" + INT_CPPFLAGS="-I${PREFIX}/include" + INT_CC=clang + INT_CXX=clang++ + INT_OBJC=clang + INT_OBJCXX=clang++ + INT_AR=${HOST}-ar + INT_RANLIB=${HOST}-ranlib + INT_LIBTOOL=${HOST}-libtool + INT_INSTALL_NAME_TOOL=${HOST}-install_name_tool + + export PATH=${NATIVEPREFIX}/bin:${PATH} + + mkdir -p ${NATIVEPREFIX}/bin + mkdir -p ${NATIVEPREFIX}/lib + mkdir -p ${PREFIX}/bin + mkdir -p ${PREFIX}/lib + mkdir -p ${BUILD_BASE} + + mkdir -p SDKs + tar -C SDKs -xf ${SOURCES_PATH}/MacOSX10.7.sdk.tar.gz + + tar xf /home/ubuntu/build/osx-native-depends-r3.tar.gz + + # bdb + SOURCE_FILE=${SOURCES_PATH}/db-4.8.30.NC.tar.gz + BUILD_DIR=${BUILD_BASE}/db-4.8.30.NC + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + sed -i 's/__atomic_compare_exchange/__atomic_compare_exchange_db/g' ${BUILD_DIR}/dbinc/atomic.h + pushd ${BUILD_DIR} + cd build_unix; + ../dist/configure --host=${HOST} --prefix="${PREFIX}" --disable-shared --enable-cxx CC="${INT_CC}" CXX="${INT_CXX}" AR="${INT_AR}" RANLIB="${INT_RANLIB}" OBJC="${INT_OBJC}" OBJCXX="${INT_OBJCXX}" CFLAGS="${INT_CFLAGS}" CXXFLAGS="${INT_CXXFLAGS}" LDFLAGS="${INT_CLANG_LDFLAGS} ${INT_LDFLAGS}" CPPFLAGS="${INT_CPPFLAGS}" + make $MAKEOPTS libdb.a libdb_cxx.a + make install_lib install_include + popd + + # openssl + SOURCE_FILE=${SOURCES_PATH}/openssl-1.0.1k.tar.gz + BUILD_DIR=${BUILD_BASE}/openssl-1.0.1k + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + pushd ${BUILD_DIR} + sed -ie "s|cc:|${INT_CC}:|" ${BUILD_DIR}/Configure + sed -ie "s|\(-arch [_a-zA-Z0-9]*\)|\1 --sysroot ${SDK} -target ${HOST} -msse2|" ${BUILD_DIR}/Configure + sed -i "/define DATE/d" ${BUILD_DIR}/util/mkbuildinf.pl + sed -i "s|engines apps test|engines|" ${BUILD_DIR}/Makefile.org + AR="${INT_AR}" RANLIB="${INT_RANLIB}" ./Configure --prefix=${PREFIX} --openssldir=${PREFIX}/etc/openssl zlib shared no-krb5 darwin64-x86_64-cc ${INT_LDFLAGS} ${INT_CLANG_LDFLAGS} ${INT_CPPFLAGS} + make -j1 build_libs libcrypto.pc libssl.pc openssl.pc + make -j1 install_sw + popd + + #libminiupnpc + SOURCE_FILE=${SOURCES_PATH}/miniupnpc-1.9.20140701.tar.gz + BUILD_DIR=${BUILD_BASE}/miniupnpc-1.9.20140701 + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + pushd ${BUILD_DIR} + CFLAGS="${INT_CFLAGS} ${INT_CPPFLAGS}" make $MAKEOPTS OS=Darwin CC="${INT_CC}" AR="${INT_AR}" libminiupnpc.a + install -d ${PREFIX}/include/miniupnpc + install *.h ${PREFIX}/include/miniupnpc + install libminiupnpc.a ${PREFIX}/lib + popd + + # qrencode + SOURCE_FILE=${SOURCES_PATH}/qrencode-3.4.3.tar.bz2 + BUILD_DIR=${BUILD_BASE}/qrencode-3.4.3 + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + pushd ${BUILD_DIR} + + # m4 folder is not included in the stable release, which can confuse aclocal + # if its timestamp ends up being earlier than configure.ac when extracted + touch aclocal.m4 + ./configure --host=${HOST} --prefix="${PREFIX}" --disable-shared CC="${INT_CC}" CXX="${INT_CXX}" AR="${INT_AR}" RANLIB="${INT_RANLIB}" OBJC="${INT_OBJC}" OBJCXX="${INT_OBJCXX}" CFLAGS="${INT_CFLAGS}" CXXFLAGS="${INT_CXXFLAGS}" LDFLAGS="${INT_CLANG_LDFLAGS} ${INT_LDFLAGS}" CPPFLAGS="${INT_CPPFLAGS}" --disable-shared -without-tools --disable-sdltest --disable-dependency-tracking + make $MAKEOPTS + make install + popd + + # libprotobuf + SOURCE_FILE=${SOURCES_PATH}/protobuf-2.5.0.tar.bz2 + BUILD_DIR=${BUILD_BASE}/protobuf-2.5.0 + + tar -C ${BUILD_BASE} -xjf ${SOURCE_FILE} + pushd ${BUILD_DIR} + ./configure --host=${HOST} --prefix="${PREFIX}" --disable-shared --enable-cxx CC="${INT_CC}" CXX="${INT_CXX}" AR="${INT_AR}" RANLIB="${INT_RANLIB}" OBJC="${INT_OBJC}" OBJCXX="${INT_OBJCXX}" CFLAGS="${INT_CFLAGS}" CXXFLAGS="${INT_CXXFLAGS}" LDFLAGS="${INT_CLANG_LDFLAGS} ${INT_LDFLAGS}" CPPFLAGS="${INT_CPPFLAGS}" --enable-shared=no --disable-dependency-tracking --with-protoc=${NATIVEPREFIX}/bin/protoc + cd src + make $MAKEOPTS libprotobuf.la + make install-libLTLIBRARIES install-nobase_includeHEADERS + cd .. + make install-pkgconfigDATA + popd + + # boost + SOURCE_FILE=${SOURCES_PATH}/boost_1_55_0.tar.bz2 + BUILD_DIR=${BUILD_BASE}/boost_1_55_0 + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + pushd ${BUILD_DIR} + ./bootstrap.sh --with-libraries=chrono,filesystem,program_options,system,thread,test + echo "using darwin : : ${INT_CXX} : \"${INT_CFLAGS} ${INT_CPPFLAGS}\" \"${INT_LDFLAGS} ${INT_CLANG_LDFLAGS}\" \"${INT_LIBTOOL}\" \"${INT_STRIP}\" : ;" > "user-config.jam" + ./b2 -d2 --layout=tagged --build-type=complete --prefix="${PREFIX}" --toolset=darwin-4.2.1 --user-config=user-config.jam variant=release threading=multi link=static install + popd + + export GZIP="-9n" + find prefix | sort | tar --no-recursion -czf osx-depends-${REVISION}.tar.gz -T - + + mv osx-depends-${REVISION}.tar.gz $OUTDIR diff --git a/contrib/gitian-descriptors/gitian-osx-native.yml b/contrib/gitian-descriptors/gitian-osx-native.yml new file mode 100644 index 00000000000..a753ad704ff --- /dev/null +++ b/contrib/gitian-descriptors/gitian-osx-native.yml @@ -0,0 +1,178 @@ +--- +name: "osx-native" +suites: +- "precise" +architectures: +- "i386" +packages: +- "git-core" +- "automake" +- "faketime" +- "libssl-dev" +- "libbz2-dev" +- "libz-dev" +- "cmake" +- "libcap-dev" +- "p7zip-full" +- "uuid-dev" + +reference_datetime: "2013-06-01 00:00:00" +remotes: [] +files: +- "10cc648683617cca8bcbeae507888099b41b530c.tar.gz" +- "cctools-809.tar.gz" +- "dyld-195.5.tar.gz" +- "ld64-127.2.tar.gz" +- "protobuf-2.5.0.tar.bz2" +- "MacOSX10.7.sdk.tar.gz" +- "cdrkit-1.1.11.tar.gz" +- "libdmg-hfsplus-v0.1.tar.gz" +- "clang-llvm-3.2-x86-linux-ubuntu-12.04.tar.gz" +- "cdrkit-deterministic.patch" + + +script: | + + echo "18406961fd4a1ec5c7ea35c91d6a80a2f8bb797a2bd243a610bd75e13eff9aca 10cc648683617cca8bcbeae507888099b41b530c.tar.gz" | sha256sum -c + echo "03ba62749b843b131c7304a044a98c6ffacd65b1399b921d69add0375f79d8ad cctools-809.tar.gz" | sha256sum -c + echo "2cf0484c87cf79b606b351a7055a247dae84093ae92c747a74e0cde2c8c8f83c dyld-195.5.tar.gz" | sha256sum -c + echo "97b75547b2bd761306ab3e15ae297f01e7ab9760b922bc657f4ef72e4e052142 ld64-127.2.tar.gz" | sha256sum -c + echo "13bfc5ae543cf3aa180ac2485c0bc89495e3ae711fc6fab4f8ffe90dfb4bb677 protobuf-2.5.0.tar.bz2" | sha256sum -c + echo "d1c030756ecc182defee9fe885638c1785d35a2c2a297b4604c0e0dcc78e47da cdrkit-1.1.11.tar.gz" | sha256sum -c + echo "6569a02eb31c2827080d7d59001869ea14484c281efab0ae7f2b86af5c3120b3 libdmg-hfsplus-v0.1.tar.gz" | sha256sum -c + echo "b9d57a88f9514fa1f327a1a703756d0c1c960f4c58494a5bd80313245d13ffff clang-llvm-3.2-x86-linux-ubuntu-12.04.tar.gz" | sha256sum -c + echo "cc12bdbd7a09f71cb2a6a3e6ec3e0abe885ca7111c2b47857f5095e5980caf4f cdrkit-deterministic.patch" | sha256sum -c + + + REVISION=r3 + export REFERENCE_DATETIME + export TAR_OPTIONS="-m --mtime="$REFERENCE_DATE\\\ $REFERENCE_TIME"" + export FAKETIME=$REFERENCE_DATETIME + export TZ=UTC + + REAL_AR=`which ar` + REAL_RANLIB=`which ranlib` + REAL_DATE=`which date` + + echo '#!/bin/bash' > $HOME/ar + echo 'export LD_PRELOAD=/usr/lib/faketime/libfaketime.so.1' >> $HOME/ar + echo "$REAL_AR \"\$@\"" >> $HOME/ar + + echo '#!/bin/bash' > $HOME/ranlib + echo 'export LD_PRELOAD=/usr/lib/faketime/libfaketime.so.1' >> $HOME/ranlib + echo "$REAL_RANLIB \"\$@\"" >> $HOME/ranlib + + echo '#!/bin/bash' > $HOME/date + echo 'export LD_PRELOAD=/usr/lib/faketime/libfaketime.so.1' >> $HOME/date + echo "$REAL_DATE \"\$@\"" >> $HOME/date + + chmod +x $HOME/ar $HOME/ranlib $HOME/date + + + export PATH=$HOME:$PATH + export SOURCES_PATH=`pwd` + + mkdir -p osx-cross-depends/build + cd osx-cross-depends + + NATIVEPREFIX=`pwd`/native-prefix + BUILD_BASE=`pwd`/build + SDK=`pwd`/SDKs/MacOSX10.7.sdk + HOST=x86_64-apple-darwin11 + MIN_VERSION=10.6 + + CFLAGS="" + CXXFLAGS="${CFLAGS}" + LDFLAGS="-L${NATIVEPREFIX}/lib" + + export PATH=${NATIVEPREFIX}/bin:${PATH} + + mkdir -p ${NATIVEPREFIX}/bin + mkdir -p ${NATIVEPREFIX}/lib + + mkdir -p SDKs + tar -C SDKs -xf ${SOURCES_PATH}/MacOSX10.7.sdk.tar.gz + + # Clang + SOURCE_FILE=${SOURCES_PATH}/clang-llvm-3.2-x86-linux-ubuntu-12.04.tar.gz + BUILD_DIR=${BUILD_BASE}/clang+llvm-3.2-x86-linux-ubuntu-12.04 + + mkdir -p ${NATIVEPREFIX}/lib/clang/3.2/include + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + cp ${BUILD_DIR}/bin/clang ${NATIVEPREFIX}/bin/ + cp ${BUILD_DIR}/bin/clang++ ${NATIVEPREFIX}/bin/ + cp ${BUILD_DIR}/lib/libLTO.so ${NATIVEPREFIX}/lib/ + cp ${BUILD_DIR}/lib/clang/3.2/include/* ${NATIVEPREFIX}/lib/clang/3.2/include + + # cctools + SOURCE_FILE=${SOURCES_PATH}/10cc648683617cca8bcbeae507888099b41b530c.tar.gz + BUILD_DIR=${BUILD_BASE}/toolchain4-10cc648683617cca8bcbeae507888099b41b530c + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + mkdir -p ${BUILD_DIR}/sdks + pushd ${BUILD_DIR}/sdks; + ln -sf ${SDK} MacOSX10.7.sdk + ln -sf ${SOURCES_PATH}/cctools-809.tar.gz ${BUILD_DIR}/cctools2odcctools/cctools-809.tar.gz + ln -sf ${SOURCES_PATH}/ld64-127.2.tar.gz ${BUILD_DIR}/cctools2odcctools/ld64-127.2.tar.gz + ln -sf ${SOURCES_PATH}/dyld-195.5.tar.gz ${BUILD_DIR}/cctools2odcctools/dyld-195.5.tar.gz + + tar -C ${BUILD_DIR} -xf ${SOURCES_PATH}/clang-llvm-3.2-x86-linux-ubuntu-12.04.tar.gz + # Hack in the use of our llvm headers rather than grabbing the old llvm-gcc. + sed -i "s|GCC_DIR|LLVM_CLANG_DIR|g" ${BUILD_DIR}/cctools2odcctools/extract.sh + sed -i "s|llvmgcc42-2336.1|clang+llvm-3.2-x86-linux-ubuntu-12.04|g" ${BUILD_DIR}/cctools2odcctools/extract.sh + sed -i "s|\${LLVM_CLANG_DIR}/llvmCore/include/llvm-c|\${LLVM_CLANG_DIR}/include/llvm-c \${LLVM_CLANG_DIR}/include/llvm |" ${BUILD_DIR}/cctools2odcctools/extract.sh + + sed -i "s|fAC_INIT|AC_INIT|" ${BUILD_DIR}/cctools2odcctools/files/configure.ac + sed -i 's/\# Dynamically linked LTO/\t ;\&\n\t linux*)\n# Dynamically linked LTO/' ${BUILD_DIR}/cctools2odcctools/files/configure.ac + + cd ${BUILD_DIR}/cctools2odcctools + ./extract.sh --osxver 10.7 + cd odcctools-809 + ./configure --prefix=${NATIVEPREFIX} --target=${HOST} CFLAGS="${CFLAGS} -I${NATIVEPREFIX}/include -D__DARWIN_UNIX03 -D__STDC_CONSTANT_MACROS -D__STDC_LIMIT_MACROS" LDFLAGS="${LDFLAGS} -Wl,-rpath=\\\$\$ORIGIN/../lib" --with-sysroot=${SDK} + + # The 'PC' define in sparc/reg.h conflicts but doesn't get used anyway. Just rename it. + sed -i "s|define\tPC|define\tPC_|" ${BUILD_DIR}/cctools2odcctools/odcctools-809/include/architecture/sparc/reg.h + make $MAKEOPTS + make install + popd + + # protoc + SOURCE_FILE=${SOURCES_PATH}/protobuf-2.5.0.tar.bz2 + BUILD_DIR=${BUILD_BASE}/protobuf-2.5.0 + + tar -C ${BUILD_BASE} -xjf ${SOURCE_FILE} + pushd ${BUILD_DIR}; + ./configure --enable-shared=no --disable-dependency-tracking --prefix=${NATIVEPREFIX} + make $MAKEOPTS + cp ${BUILD_DIR}/src/protoc ${NATIVEPREFIX}/bin/ + popd + + # cdrkit + SOURCE_FILE=${SOURCES_PATH}/cdrkit-1.1.11.tar.gz + BUILD_DIR=${BUILD_BASE}/cdrkit-1.1.11 + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + pushd ${BUILD_DIR} + patch -p1 < ${SOURCES_PATH}/cdrkit-deterministic.patch + cmake -DCMAKE_INSTALL_PREFIX=${NATIVEPREFIX} + make $MAKEOPTS genisoimage + make -C genisoimage install + popd + + # libdmg-hfsplus + SOURCE_FILE=${SOURCES_PATH}/libdmg-hfsplus-v0.1.tar.gz + BUILD_DIR=${BUILD_BASE}/libdmg-hfsplus-libdmg-hfsplus-v0.1 + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + mkdir -p ${BUILD_DIR}/build + pushd ${BUILD_DIR}/build + cmake -DCMAKE_INSTALL_PREFIX:PATH=${NATIVEPREFIX}/bin .. + make $MAKEOPTS + make install + popd + + rm -rf native-prefix/docs + + export GZIP="-9n" + find native-prefix | sort | tar --no-recursion -czf osx-native-depends-$REVISION.tar.gz -T - + mv osx-native-depends-$REVISION.tar.gz $OUTDIR diff --git a/contrib/gitian-descriptors/gitian-osx-qt.yml b/contrib/gitian-descriptors/gitian-osx-qt.yml new file mode 100644 index 00000000000..7aec55c6de5 --- /dev/null +++ b/contrib/gitian-descriptors/gitian-osx-qt.yml @@ -0,0 +1,186 @@ +--- +name: "osx-qt" +suites: +- "precise" +architectures: +- "i386" +packages: +- "git-core" +- "automake" +- "p7zip-full" + +reference_datetime: "2013-06-01 00:00:00" +remotes: [] +files: +- "qt-everywhere-opensource-src-5.2.1.tar.gz" +- "osx-native-depends-r3.tar.gz" +- "osx-depends-r8.tar.gz" +- "MacOSX10.7.sdk.tar.gz" + +script: | + + echo "84e924181d4ad6db00239d87250cc89868484a14841f77fb85ab1f1dbdcd7da1 qt-everywhere-opensource-src-5.2.1.tar.gz" | sha256sum -c + + REVISION=r7 + export SOURCES_PATH=`pwd` + export TAR_OPTIONS="-m --mtime="$REFERENCE_DATE\\\ $REFERENCE_TIME"" + export ZERO_AR_DATE=1 + + export TZ=UTC + + REAL_DATE=`which date` + echo '#!/bin/bash' > $HOME/date + echo "$REAL_DATE -d \"${REFERENCE_DATETIME}\" \"\$@\"" >> $HOME/date + + chmod +x $HOME/date + export PATH=$HOME:$PATH + + mkdir -p osx-cross-depends/build + cd osx-cross-depends + + PREFIX=`pwd`/prefix + NATIVEPREFIX=`pwd`/native-prefix + BUILD_BASE=`pwd`/build + SDK=`pwd`/SDKs/MacOSX10.7.sdk + HOST=x86_64-apple-darwin11 + MIN_VERSION=10.6 + + INT_CFLAGS="-target ${HOST} -mmacosx-version-min=${MIN_VERSION} --sysroot ${SDK} -msse2 -Qunused-arguments" + INT_CXXFLAGS="${INT_CFLAGS}" + INT_LDFLAGS="-L${PREFIX}/lib -L${SDK}/usr/lib/i686-apple-darwin10/4.2.1" + INT_LDFLAGS_CLANG="-B${NATIVEPREFIX}/bin" + INT_CPPFLAGS="-I${PREFIX}/include" + INT_CC=clang + INT_CXX=clang++ + INT_OBJC=clang + INT_OBJCXX=clang++ + INT_AR=${HOST}-ar + INT_RANLIB=${HOST}-ranlib + INT_LIBTOOL=${HOST}-libtool + INT_INSTALL_NAME_TOOL=${HOST}-install_name_tool + + export PATH=${NATIVEPREFIX}/bin:${PATH} + + mkdir -p ${NATIVEPREFIX}/bin + mkdir -p ${NATIVEPREFIX}/lib + mkdir -p ${PREFIX}/bin + mkdir -p ${PREFIX}/lib + mkdir -p ${BUILD_BASE} + + mkdir -p SDKs + tar -C SDKs -xf ${SOURCES_PATH}/MacOSX10.7.sdk.tar.gz + + tar xf /home/ubuntu/build/osx-native-depends-r3.tar.gz + + export PATH=`pwd`/native-prefix/bin:$PATH + tar xf /home/ubuntu/build/osx-depends-r8.tar.gz + + SOURCE_FILE=${SOURCES_PATH}/qt-everywhere-opensource-src-5.2.1.tar.gz + BUILD_DIR=${BUILD_BASE}/qt-everywhere-opensource-src-5.2.1 + + + tar -C ${BUILD_BASE} -xf ${SOURCE_FILE} + + # Install our mkspec. All files are pulled from the macx-clang spec, except for + # our custom qmake.conf + SPECFILE=${BUILD_DIR}/qtbase/mkspecs/macx-clang-linux/qmake.conf + + mkdir -p ${BUILD_DIR}/qtbase/mkspecs/macx-clang-linux + cp -f ${BUILD_DIR}/qtbase/mkspecs/macx-clang/Info.plist.lib ${BUILD_DIR}/qtbase/mkspecs/macx-clang-linux/ + cp -f ${BUILD_DIR}/qtbase/mkspecs/macx-clang/Info.plist.app ${BUILD_DIR}/qtbase/mkspecs/macx-clang-linux/ + cp -f ${BUILD_DIR}/qtbase/mkspecs/macx-clang/qplatformdefs.h ${BUILD_DIR}/qtbase/mkspecs/macx-clang-linux/ + + cat > ${SPECFILE} <= 2: + print "Linked:", linkfrom, "->", linkto fromResourcesDir = framework.sourceResourcesDirectory if os.path.exists(fromResourcesDir): toResourcesDir = os.path.join(path, framework.destinationResourcesDirectory) - shutil.copytree(fromResourcesDir, toResourcesDir) + shutil.copytree(fromResourcesDir, toResourcesDir, symlinks=True) if verbose >= 3: print "Copied resources:", fromResourcesDir print " to:", toResourcesDir + fromContentsDir = framework.sourceVersionContentsDirectory + if not os.path.exists(fromContentsDir): + fromContentsDir = framework.sourceContentsDirectory + if os.path.exists(fromContentsDir): + toContentsDir = os.path.join(path, framework.destinationVersionContentsDirectory) + shutil.copytree(fromContentsDir, toContentsDir, symlinks=True) + contentslinkfrom = os.path.join(path, framework.destinationContentsDirectory) + if verbose >= 3: + print "Copied Contents:", fromContentsDir + print " to:", toContentsDir elif framework.frameworkName.startswith("libQtGui"): # Copy qt_menu.nib (applies to non-framework layout) qtMenuNibSourcePath = os.path.join(framework.frameworkDirectory, "Resources", "qt_menu.nib") qtMenuNibDestinationPath = os.path.join(path, "Contents", "Resources", "qt_menu.nib") if os.path.exists(qtMenuNibSourcePath) and not os.path.exists(qtMenuNibDestinationPath): - shutil.copytree(qtMenuNibSourcePath, qtMenuNibDestinationPath) + shutil.copytree(qtMenuNibSourcePath, qtMenuNibDestinationPath, symlinks=True) if verbose >= 3: print "Copied for libQtGui:", qtMenuNibSourcePath print " to:", qtMenuNibDestinationPath @@ -560,7 +584,7 @@ if verbose >= 3: print app_bundle, "->", target os.mkdir("dist") -shutil.copytree(app_bundle, target) +shutil.copytree(app_bundle, target, symlinks=True) applicationBundle = ApplicationBundleInfo(target) @@ -640,7 +664,7 @@ for p in config.add_resources: if verbose >= 3: print p, "->", t if os.path.isdir(p): - shutil.copytree(p, t) + shutil.copytree(p, t, symlinks=True) else: shutil.copy2(p, t) diff --git a/doc/Doxyfile b/doc/Doxyfile index e0339e652eb..f3cb577a8b6 100644 --- a/doc/Doxyfile +++ b/doc/Doxyfile @@ -34,7 +34,7 @@ PROJECT_NAME = Bitcoin # This could be handy for archiving the generated documentation or # if some version control system is used. -PROJECT_NUMBER = 0.9.99 +PROJECT_NUMBER = 0.9.5 # Using the PROJECT_BRIEF tag one can provide an optional one line description # for a project that appears at the top of each page and should give viewer diff --git a/doc/README.md b/doc/README.md index f5aeb34a3cd..d521bfce634 100644 --- a/doc/README.md +++ b/doc/README.md @@ -1,7 +1,7 @@ -Bitcoin 0.9.99 BETA +Bitcoin 0.9.5 BETA ===================== -Copyright (c) 2009-2014 Bitcoin Developers +Copyright (c) 2009-2015 Bitcoin Developers Setup diff --git a/doc/README_osx.txt b/doc/README_osx.txt new file mode 100644 index 00000000000..2be56c15926 --- /dev/null +++ b/doc/README_osx.txt @@ -0,0 +1,75 @@ +Deterministic OSX Dmg Notes. + +Working OSX DMG's are created in Linux by combining a recent clang, +the Apple's binutils (ld, ar, etc), and DMG authoring tools. + +Apple uses clang extensively for development and has upstreamed the necessary +functionality so that a vanilla clang can take advantage. It supports the use +of -F, -target, -mmacosx-version-min, and --sysroot, which are all necessary +when building for OSX. A pre-compiled version of 3.2 is used because it was not +available in the Precise repositories at the time this work was started. In the +future, it can be switched to use system packages instead. + +Apple's version of binutils (called cctools) contains lots of functionality +missing in the FSF's binutils. In addition to extra linker options for +frameworks and sysroots, several other tools are needed as well such as +install_name_tool, lipo, and nmedit. These do not build under linux, so they +have been patched to do so. The work here was used as a starting point: +https://github.com/mingwandroid/toolchain4 + +In order to build a working toolchain, the following source packages are needed +from Apple: cctools, dyld, and ld64. + +Beware. This part is ugly. Very very very ugly. In the future, this should be +broken out into a new repository and cleaned up. Additionally, the binaries +only work when built as x86 and not x86_64. This is an especially nasty +limitation because it must be linked with the toolchain's libLTO.so, meaning +that the entire toolchain must be x86. Gitian x86_64 should not be used until +this has been fixed, because it would mean that several native dependencies +(openssl, libuuid, etc) would need to be built as x86 first. + +These tools inject timestamps by default, which produce non-deterministic +binaries. The ZERO_AR_DATE environment variable is used to disable that. + +This version of cctools has been patched to use the current version of clang's +headers and and its libLTO.so rather than those from llvmgcc, as it was +originally done in toolchain4. + +To complicate things further, all builds must target an Apple SDK. These SDKs +are free to download, but not redistributable. +To obtain it, register for a developer account, then download xcode4630916281a.dmg: +https://developer.apple.com/downloads/download.action?path=Developer_Tools/xcode_4.6.3/xcode4630916281a.dmg +This file is several gigabytes in size, but only a single directory inside is +needed: Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.7.sdk + +Unfortunately, the usual linux tools (7zip, hpmount, loopback mount) are incapable of opening this file. +To create a tarball suitable for gitian input, mount the dmg in OSX, then create it with: + $ tar -C /Volumes/Xcode/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/ -czf MacOSX10.7.sdk.tar.gz MacOSX10.7.sdk + + +The gitian descriptors build 2 sets of files: Linux tools, then Apple binaries +which are created using these tools. The build process has been designed to +avoid including the SDK's files in Gitian's outputs. All interim tarballs are +fully deterministic and may be freely redistributed. + +genisoimage is used to create the initial DMG. It is not deterministic as-is, +so it has been patched. A system genisoimage will work fine, but it will not +be deterministic because the file-order will change between invocations. +The patch can be seen here: +https://raw.githubusercontent.com/theuni/osx-cross-depends/master/patches/cdrtools/genisoimage.diff +No effort was made to fix this cleanly, so it likely leaks memory badly. But +it's only used for a single invocation, so that's no real concern. + +genisoimage cannot compress DMGs, so afterwards, the 'dmg' tool from the +libdmg-hfsplus project is used to compress it. There are several bugs in this +tool and its maintainer has seemingly abandoned the project. It has been forked +and is available (with fixes) here: https://github.com/theuni/libdmg-hfsplus . + +The 'dmg' tool has the ability to create DMG's from scratch as well, but this +functionality is broken. Only the compression feature is currently used. +Ideally, the creation could be fixed and genisoimage would no longer be necessary. + +Background images and other features can be added to DMG files by inserting a +.DS_Store before creation. The easiest way to create this file is to build a +DMG without one, move it to a device running OSX, customize the layout, then +grab the .DS_Store file for later use. That is the approach taken here. diff --git a/doc/README_windows.txt b/doc/README_windows.txt index 18fd4216f98..90da826d7e7 100644 --- a/doc/README_windows.txt +++ b/doc/README_windows.txt @@ -1,6 +1,6 @@ -Bitcoin 0.9.99 BETA +Bitcoin 0.9.4 BETA -Copyright (c) 2009-2014 Bitcoin Core Developers +Copyright (c) 2009-2015 Bitcoin Core Developers Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. diff --git a/doc/build-osx.md b/doc/build-osx.md index 0de5c792e9a..d51add47b82 100644 --- a/doc/build-osx.md +++ b/doc/build-osx.md @@ -26,55 +26,20 @@ There's an assumption that you already have `git` installed, as well. If not, it's the path of least resistance to install [Github for Mac](https://mac.github.com/) (OS X 10.7+) or [Git for OS X](https://code.google.com/p/git-osx-installer/). It is also -available via Homebrew or MacPorts. +available via Homebrew. You will also need to install [Homebrew](http://brew.sh) -or [MacPorts](https://www.macports.org/) in order to install library -dependencies. It's largely a religious decision which to choose, but, as of -December 2012, MacPorts is a little easier because you can just install the -dependencies immediately - no other work required. If you're unsure, read -the instructions through first in order to assess what you want to do. -Homebrew is a little more popular among those newer to OS X. +in order to install library dependencies. The installation of the actual dependencies is covered in the Instructions sections below. -Instructions: MacPorts ----------------------- - -### Install dependencies - -Installing the dependencies using MacPorts is very straightforward. - - sudo port install boost db48@+no_java openssl miniupnpc autoconf pkgconfig automake - -Optional: install Qt4 - - sudo port install qt4-mac qrencode protobuf-cpp - -### Building `bitcoind` - -1. Clone the github tree to get the source code and go into the directory. - - git clone git@github.com:bitcoin/bitcoin.git bitcoin - cd bitcoin - -2. Build bitcoind (and Bitcoin-Qt, if configured): - - ./autogen.sh - ./configure - make - -3. It is a good idea to build and run the unit tests, too: - - make check - Instructions: Homebrew ---------------------- #### Install dependencies using Homebrew - brew install autoconf automake berkeley-db4 boost miniupnpc openssl pkg-config protobuf qt + brew install autoconf automake libtool boost miniupnpc openssl pkg-config protobuf qt Note: After you have installed the dependencies, you should check that the Homebrew installed version of OpenSSL is the one available for compilation. You can check this by typing @@ -90,6 +55,29 @@ Rerunning "openssl version" should now return the correct version. If it doesn't, make sure `/usr/local/bin` comes before `/usr/bin` in your PATH. +#### Installing berkeley-db4 using Homebrew + +The homebrew package for berkeley-db4 has been broken for some time. It will install without Java though. + +Running this command takes you into brew's interactive mode, which allows you to configure, make, and install by hand: +``` +$ brew install https://raw.github.com/mxcl/homebrew/master/Library/Formula/berkeley-db4.rb -–without-java +``` + +These rest of these commands are run inside brew interactive mode: +``` +/private/tmp/berkeley-db4-UGpd0O/db-4.8.30 $ cd .. +/private/tmp/berkeley-db4-UGpd0O $ db-4.8.30/dist/configure --prefix=/usr/local/Cellar/berkeley-db4/4.8.30 --mandir=/usr/local/Cellar/berkeley-db4/4.8.30/share/man --enable-cxx +/private/tmp/berkeley-db4-UGpd0O $ make +/private/tmp/berkeley-db4-UGpd0O $ make install +/private/tmp/berkeley-db4-UGpd0O $ exit +``` + +After exiting, you'll get a warning that the install is keg-only, which means it wasn't symlinked to `/usr/local`. You don't need it to link it to build bitcoin, but if you want to, here's how: + + $ brew --force link berkeley-db4 + + ### Building `bitcoind` 1. Clone the github tree to get the source code and go into the directory. @@ -122,18 +110,6 @@ All dependencies should be compiled with these flags: -arch x86_64 -isysroot $(xcode-select --print-path)/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.6.sdk -For MacPorts, that means editing your macports.conf and setting -`macosx_deployment_target` and `build_arch`: - - macosx_deployment_target=10.6 - build_arch=x86_64 - -... and then uninstalling and re-installing, or simply rebuilding, all ports. - -As of December 2012, the `boost` port does not obey `macosx_deployment_target`. -Download `http://gavinandresen-bitcoin.s3.amazonaws.com/boost_macports_fix.zip` -for a fix. - Once dependencies are compiled, see release-process.md for how the Bitcoin-Qt.app bundle is packaged and signed to create the .dmg disk image that is distributed. diff --git a/doc/build-unix.md b/doc/build-unix.md index ab5fbad521c..46dc5850587 100644 --- a/doc/build-unix.md +++ b/doc/build-unix.md @@ -68,10 +68,6 @@ for Ubuntu 12.04 and later: Ubuntu 12.04 and later have packages for libdb5.1-dev and libdb5.1++-dev, but using these will break binary wallet compatibility, and is not recommended. -for Ubuntu 13.10: - libboost1.54 will not work, - remove libboost1.54-all-dev and install libboost1.53-all-dev instead. - for Debian 7 (Wheezy) and later: The oldstable repository contains db4.8 packages. Add the following line to /etc/apt/sources.list, diff --git a/doc/release-notes.md b/doc/release-notes.md index f16eec32a29..fccb5a355b5 100644 --- a/doc/release-notes.md +++ b/doc/release-notes.md @@ -1,2 +1,59 @@ -(note: this is a temporary file, to be added-to by anybody, and moved to -release-notes at release time) +Bitcoin Core version 0.9.5 is now available from: + + https://bitcoin.org/bin/0.9.5/ + +This is a new minor version release, bringing only bug fixes and updated +translations. Upgrading to this release is recommended. + +Please report bugs using the issue tracker at github: + + https://github.com/bitcoin/bitcoin/issues + +How to Upgrade +=============== + +If you are running an older version, shut it down. Wait until it has completely +shut down (which might take a few minutes for older versions), then run the +installer (on Windows) or just copy over /Applications/Bitcoin-Qt (on Mac) or +bitcoind/bitcoin-qt (on Linux). + +Notable changes +================ + +Mining and relay policy enhancements +------------------------------------ + +Bitcoin Core's block templates are now for version 3 blocks only, and any mining +software relying on its `getblocktemplate` must be updated in parallel to use +libblkmaker either version 0.4.2 or any version from 0.5.1 onward. +If you are solo mining, this will affect you the moment you upgrade Bitcoin +Core, which must be done prior to BIP66 achieving its 951/1001 status. +If you are mining with the stratum mining protocol: this does not affect you. +If you are mining with the getblocktemplate protocol to a pool: this will affect +you at the pool operator's discretion, which must be no later than BIP66 +achieving its 951/1001 status. + +0.9.5 changelog +================ + +- `74f29c2` Check pindexBestForkBase for null +- `9cd1dd9` Fix priority calculation in CreateTransaction +- `6b4163b` Sanitize command strings before logging them. +- `3230b32` Raise version of created blocks, and enforce DERSIG in mempool +- `989d499` Backport of some of BIP66's tests +- `ab03660` Implement BIP 66 validation rules and switchover logic +- `8438074` build: fix dynamic boost check when --with-boost= is used + +Credits +-------- + +Thanks to who contributed to this release, at least: + +- 21E14 +- Alex Morcos +- Cory Fields +- Gregory Maxwell +- Pieter Wuille +- Wladimir J. van der Laan + +As well as everyone that helped translating on [Transifex](https://www.transifex.com/projects/p/bitcoin/). diff --git a/doc/release-process.md b/doc/release-process.md index b93c1637486..1e17f73283d 100644 --- a/doc/release-process.md +++ b/doc/release-process.md @@ -33,12 +33,18 @@ Release Process git checkout v${VERSION} popd pushd ./gitian-builder + mkdir -p inputs; cd inputs/ + + Register and download the Apple SDK (see OSX Readme for details) + visit https://developer.apple.com/downloads/download.action?path=Developer_Tools/xcode_4.6.3/xcode4630916281a.dmg + + Using a Mac, create a tarball for the 10.7 SDK + tar -C /Volumes/Xcode/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/ -czf MacOSX10.7.sdk.tar.gz MacOSX10.7.sdk Fetch and build inputs: (first time, or when dependency versions change) - mkdir -p inputs; cd inputs/ - wget 'http://miniupnp.free.fr/files/download.php?file=miniupnpc-1.9.tar.gz' -O miniupnpc-1.9.tar.gz - wget 'https://www.openssl.org/source/openssl-1.0.1g.tar.gz' + wget 'http://miniupnp.free.fr/files/download.php?file=miniupnpc-1.9.20140701.tar.gz' -O miniupnpc-1.9.20140701.tar.gz + wget 'https://www.openssl.org/source/openssl-1.0.1k.tar.gz' wget 'http://download.oracle.com/berkeley-db/db-4.8.30.NC.tar.gz' wget 'http://zlib.net/zlib-1.2.8.tar.gz' wget 'ftp://ftp.simplesystems.org/pub/png/src/history/libpng16/libpng-1.6.8.tar.gz' @@ -49,6 +55,16 @@ Release Process wget 'https://download.qt-project.org/official_releases/qt/5.2/5.2.0/single/qt-everywhere-opensource-src-5.2.0.tar.gz' wget 'https://download.qt-project.org/archive/qt/4.6/qt-everywhere-opensource-src-4.6.4.tar.gz' wget 'https://protobuf.googlecode.com/files/protobuf-2.5.0.tar.bz2' + wget 'https://github.com/mingwandroid/toolchain4/archive/10cc648683617cca8bcbeae507888099b41b530c.tar.gz' + wget 'http://www.opensource.apple.com/tarballs/cctools/cctools-809.tar.gz' + wget 'http://www.opensource.apple.com/tarballs/dyld/dyld-195.5.tar.gz' + wget 'http://www.opensource.apple.com/tarballs/ld64/ld64-127.2.tar.gz' + wget 'http://pkgs.fedoraproject.org/repo/pkgs/cdrkit/cdrkit-1.1.11.tar.gz/efe08e2f3ca478486037b053acd512e9/cdrkit-1.1.11.tar.gz' + wget 'https://github.com/theuni/libdmg-hfsplus/archive/libdmg-hfsplus-v0.1.tar.gz' + wget 'http://llvm.org/releases/3.2/clang+llvm-3.2-x86-linux-ubuntu-12.04.tar.gz' -O \ + clang-llvm-3.2-x86-linux-ubuntu-12.04.tar.gz + wget 'https://raw.githubusercontent.com/theuni/osx-cross-depends/master/patches/cdrtools/genisoimage.diff' -O \ + cdrkit-deterministic.patch cd .. ./bin/gbuild ../bitcoin/contrib/gitian-descriptors/boost-linux.yml mv build/out/boost-*.zip inputs/ @@ -64,19 +80,25 @@ Release Process mv build/out/qt-*.zip inputs/ ./bin/gbuild ../bitcoin/contrib/gitian-descriptors/protobuf-win.yml mv build/out/protobuf-*.zip inputs/ + ./bin/gbuild ../bitcoin/contrib/gitian-descriptors/gitian-osx-native.yml + mv build/out/osx-*.tar.gz inputs/ + ./bin/gbuild ../bitcoin/contrib/gitian-descriptors/gitian-osx-depends.yml + mv build/out/osx-*.tar.gz inputs/ + ./bin/gbuild ../bitcoin/contrib/gitian-descriptors/gitian-osx-qt.yml + mv build/out/osx-*.tar.gz inputs/ The expected SHA256 hashes of the intermediate inputs are: - 35c3dfd8b9362f59e81b51881b295232e3bc9e286f1add193b59d486d9ac4a5c bitcoin-deps-linux32-gitian-r5.zip - 571789867d172500fa96d63d0ba8c5b1e1a3d6f44f720eddf2f93665affc88b3 bitcoin-deps-linux64-gitian-r5.zip + b1f6f10148d4c4a1a69a58e703427578dc5a4de86eefd6b925e3abf3c8fbe542 bitcoin-deps-linux32-gitian-r9.zip + 71e03e434af269dcbf3cb685cd1a5d51b8d2c904b67035eb4e5c1a2623b9f0df bitcoin-deps-linux64-gitian-r9.zip f29b7d9577417333fb56e023c2977f5726a7c297f320b175a4108cf7cd4c2d29 boost-linux32-1.55.0-gitian-r1.zip 88232451c4104f7eb16e469ac6474fd1231bd485687253f7b2bdf46c0781d535 boost-linux64-1.55.0-gitian-r1.zip - 74ec2d301cf1a9d03b194153f545102ba45dad02b390485212fe6717de486361 qt-linux32-4.6.4-gitian-r1.tar.gz - 01d0477e299467f09280f15424781154e2b1ea4072c5edb16e044c234954fd9a qt-linux64-4.6.4-gitian-r1.tar.gz + 57e57dbdadc818cd270e7e00500a5e1085b3bcbdef69a885f0fb7573a8d987e1 qt-linux32-4.6.4-gitian-r1.tar.gz + 60eb4b9c5779580b7d66529efa5b2836ba1a70edde2a0f3f696d647906a826be qt-linux64-4.6.4-gitian-r1.tar.gz 60dc2d3b61e9c7d5dbe2f90d5955772ad748a47918ff2d8b74e8db9b1b91c909 boost-win32-1.55.0-gitian-r6.zip f65fcaf346bc7b73bc8db3a8614f4f6bee2f61fcbe495e9881133a7c2612a167 boost-win64-1.55.0-gitian-r6.zip - 97e62002d338885336bb24e7cbb9471491294bd8857af7a83d18c0961f864ec0 bitcoin-deps-win32-gitian-r11.zip - ee3ea2d5aac1a67ea6bfbea2c04068a7c0940616ce48ee4f37c264bb9d4438ef bitcoin-deps-win64-gitian-r11.zip + 2af17b1968bd7d46b260c8d16474e1f339cde1b9e96265c80f6626ea0c2785a9 bitcoin-deps-win32-gitian-r16.zip + 7608bdf7848101d48ba8a296cb9c29ac68193405f11d8075fb46154ff3476233 bitcoin-deps-win64-gitian-r16.zip 963e3e5e85879010a91143c90a711a5d1d5aba992e38672cdf7b54e42c56b2f1 qt-win32-5.2.0-gitian-r3.zip 751c579830d173ef3e6f194e83d18b92ebef6df03289db13ab77a52b6bc86ef0 qt-win64-5.2.0-gitian-r3.zip e2e403e1a08869c7eed4d4293bce13d51ec6a63592918b90ae215a0eceb44cb4 protobuf-win32-2.5.0-gitian-r4.zip @@ -96,13 +118,19 @@ Release Process zip -r bitcoin-${VERSION}-win-gitian.zip * mv bitcoin-${VERSION}-win-gitian.zip ../../../ popd + ./bin/gbuild --commit bitcoin=v${VERSION} ../bitcoin/contrib/gitian-descriptors/gitian-osx-bitcoin.yml + ./bin/gsign --signer $SIGNER --release ${VERSION}-osx --destination ../gitian.sigs/ ../bitcoin/contrib/gitian-descriptors/gitian-osx-bitcoin.yml + pushd build/out + mv Bitcoin-Qt.dmg ../../../ + popd popd Build output expected: 1. linux 32-bit and 64-bit binaries + source (bitcoin-${VERSION}-linux-gitian.zip) 2. windows 32-bit and 64-bit binaries + installer + source (bitcoin-${VERSION}-win-gitian.zip) - 3. Gitian signatures (in gitian.sigs/${VERSION}[-win]/(your gitian key)/ + 3. OSX installer (Bitcoin-Qt.dmg) + 4. Gitian signatures (in gitian.sigs/${VERSION}[-win|-osx]/(your gitian key)/ repackage gitian builds for release as stand-alone zip/tar/installer exe @@ -119,92 +147,68 @@ repackage gitian builds for release as stand-alone zip/tar/installer exe zip -r bitcoin-${VERSION}-win.zip bitcoin-${VERSION}-win rm -rf bitcoin-${VERSION}-win -**Perform Mac build:** - - OSX binaries are created by Gavin Andresen on a 64-bit, OSX 10.6 machine. +**Mac OS X .dmg:** - ./autogen.sh - SDK=$(xcode-select --print-path)/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.6.sdk - CXXFLAGS="-mmacosx-version-min=10.6 -isysroot $SDK" ./configure --enable-upnp-default - make - export QTDIR=/opt/local/share/qt4 # needed to find translations/qt_*.qm files - T=$(contrib/qt_translations.py $QTDIR/translations src/qt/locale) - export CODESIGNARGS='--keychain ...path_to_keychain --sign "Developer ID Application: BITCOIN FOUNDATION, INC., THE"' - python2.7 contrib/macdeploy/macdeployqtplus Bitcoin-Qt.app -sign -add-qt-tr $T -dmg -fancy contrib/macdeploy/fancy.plist - - Build output expected: Bitcoin-Qt.dmg + mv Bitcoin-Qt.dmg bitcoin-${VERSION}-osx.dmg ###Next steps: -* Code-sign Windows -setup.exe (in a Windows virtual machine using signtool) - Note: only Gavin has the code-signing keys currently. - -* upload builds to SourceForge - -* create SHA256SUMS for builds, and PGP-sign it - -* update bitcoin.org version - make sure all OS download links go to the right versions - -* update download sizes on bitcoin.org/_templates/download.html - -* update forum version - -* update wiki download links - -* update wiki changelog: [https://en.bitcoin.it/wiki/Changelog](https://en.bitcoin.it/wiki/Changelog) - Commit your signature to gitian.sigs: pushd gitian.sigs - git add ${VERSION}/${SIGNER} + git add ${VERSION}-linux/${SIGNER} git add ${VERSION}-win/${SIGNER} + git add ${VERSION}-osx/${SIGNER} git commit -a git push # Assuming you can push to the gitian.sigs tree popd ------------------------------------------------------------------------- -### After 3 or more people have gitian-built, repackage gitian-signed zips: +### After 3 or more people have gitian-built and their results match: -From a directory containing bitcoin source, gitian.sigs and gitian zips +- Perform code-signing. - export VERSION=(new version, e.g. 0.8.0) - mkdir bitcoin-${VERSION}-linux-gitian - pushd bitcoin-${VERSION}-linux-gitian - unzip ../bitcoin-${VERSION}-linux-gitian.zip - mkdir gitian - cp ../bitcoin/contrib/gitian-downloader/*.pgp ./gitian/ - for signer in $(ls ../gitian.sigs/${VERSION}/); do - cp ../gitian.sigs/${VERSION}/${signer}/bitcoin-build.assert ./gitian/${signer}-build.assert - cp ../gitian.sigs/${VERSION}/${signer}/bitcoin-build.assert.sig ./gitian/${signer}-build.assert.sig - done - zip -r bitcoin-${VERSION}-linux-gitian.zip * - cp bitcoin-${VERSION}-linux-gitian.zip ../ - popd - mkdir bitcoin-${VERSION}-win-gitian - pushd bitcoin-${VERSION}-win-gitian - unzip ../bitcoin-${VERSION}-win-gitian.zip - mkdir gitian - cp ../bitcoin/contrib/gitian-downloader/*.pgp ./gitian/ - for signer in $(ls ../gitian.sigs/${VERSION}-win/); do - cp ../gitian.sigs/${VERSION}-win/${signer}/bitcoin-build.assert ./gitian/${signer}-build.assert - cp ../gitian.sigs/${VERSION}-win/${signer}/bitcoin-build.assert.sig ./gitian/${signer}-build.assert.sig - done - zip -r bitcoin-${VERSION}-win-gitian.zip * - cp bitcoin-${VERSION}-win-gitian.zip ../ - popd + - Code-sign Windows -setup.exe (in a Windows virtual machine using signtool) -- Upload gitian zips to SourceForge + - Code-sign MacOSX .dmg -- Announce the release: + Note: only Gavin has the code-signing keys currently. + +- Create `SHA256SUMS.asc` for builds, and PGP-sign it. This is done manually. + Include all the files to be uploaded. The file has `sha256sum` format with a + simple header at the top: + +``` +Hash: SHA256 + +0060f7d38b98113ab912d4c184000291d7f026eaf77ca5830deec15059678f54 bitcoin-x.y.z-linux.tar.gz +... +``` + +- Upload zips and installers, as well as `SHA256SUMS.asc` from last step, to the bitcoin.org server - - Add the release to bitcoin.org: https://github.com/bitcoin/bitcoin.org/tree/master/_releases +- Update bitcoin.org version + + - Make a pull request to add a file named `YYYY-MM-DD-vX.Y.Z.md` with the release notes + to https://github.com/bitcoin/bitcoin.org/tree/master/_releases + ([Example for 0.9.2.1](https://raw.githubusercontent.com/bitcoin/bitcoin.org/master/_releases/2014-06-19-v0.9.2.1.md)). + + - After the pull request is merged, the website will automatically show the newest version, as well + as update the OS download links. Ping Saivann in case anything goes wrong + +- Announce the release: - Release sticky on bitcointalk: https://bitcointalk.org/index.php?board=1.0 - Bitcoin-development mailing list - - Optionally reddit /r/Bitcoin, ... + - Update title of #bitcoin on Freenode IRC + + - Optionally reddit /r/Bitcoin, ... but this will usually sort out itself + +- Notify BlueMatt so that he can start building [https://launchpad.net/~bitcoin/+archive/ubuntu/bitcoin](the PPAs) + +- Add release notes for the new version to the directory `doc/release-notes` in git master - Celebrate diff --git a/share/genbuild.sh b/share/genbuild.sh index 0800b312297..679566e5969 100755 --- a/share/genbuild.sh +++ b/share/genbuild.sh @@ -16,7 +16,7 @@ fi DESC="" SUFFIX="" LAST_COMMIT_DATE="" -if [ -e "$(which git 2>/dev/null)" -a -d ".git" ]; then +if [ -e "$(which git 2>/dev/null)" -a $(git rev-parse --is-inside-work-tree 2>/dev/null) = "true" ]; then # clean 'dirty' status of touched files that haven't been modified git diff >/dev/null 2>/dev/null diff --git a/src/alert.cpp b/src/alert.cpp index 99164d63e59..3cd0b03388c 100644 --- a/src/alert.cpp +++ b/src/alert.cpp @@ -235,25 +235,30 @@ bool CAlert::ProcessAlert(bool fThread) if(AppliesToMe()) { uiInterface.NotifyAlertChanged(GetHash(), CT_NEW); - std::string strCmd = GetArg("-alertnotify", ""); - if (!strCmd.empty()) - { - // Alert text should be plain ascii coming from a trusted source, but to - // be safe we first strip anything not in safeChars, then add single quotes around - // the whole string before passing it to the shell: - std::string singleQuote("'"); - std::string safeStatus = SanitizeString(strStatusBar); - safeStatus = singleQuote+safeStatus+singleQuote; - boost::replace_all(strCmd, "%s", safeStatus); - - if (fThread) - boost::thread t(runCommand, strCmd); // thread runs free - else - runCommand(strCmd); - } + Notify(strStatusBar, fThread); } } LogPrint("alert", "accepted alert %d, AppliesToMe()=%d\n", nID, AppliesToMe()); return true; } + +void +CAlert::Notify(const std::string& strMessage, bool fThread) +{ + std::string strCmd = GetArg("-alertnotify", ""); + if (strCmd.empty()) return; + + // Alert text should be plain ascii coming from a trusted source, but to + // be safe we first strip anything not in safeChars, then add single quotes around + // the whole string before passing it to the shell: + std::string singleQuote("'"); + std::string safeStatus = SanitizeString(strMessage); + safeStatus = singleQuote+safeStatus+singleQuote; + boost::replace_all(strCmd, "%s", safeStatus); + + if (fThread) + boost::thread t(runCommand, strCmd); // thread runs free + else + runCommand(strCmd); +} diff --git a/src/alert.h b/src/alert.h index da140be5e59..9e68b0f38d0 100644 --- a/src/alert.h +++ b/src/alert.h @@ -60,9 +60,9 @@ class CUnsignedAlert READWRITE(setSubVer); READWRITE(nPriority); - READWRITE(strComment); - READWRITE(strStatusBar); - READWRITE(strReserved); + READWRITE(LIMITED_STRING(strComment, 65536)); + READWRITE(LIMITED_STRING(strStatusBar, 256)); + READWRITE(LIMITED_STRING(strReserved, 256)); ) void SetNull(); @@ -99,6 +99,7 @@ class CAlert : public CUnsignedAlert bool RelayTo(CNode* pnode) const; bool CheckSignature() const; bool ProcessAlert(bool fThread = true); + static void Notify(const std::string& strMessage, bool fThread); /* * Get copy of (active) alert object by hash. Returns a null alert if it is not found. diff --git a/src/base58.cpp b/src/base58.cpp index 0b08ee3d064..1bd64684e58 100644 --- a/src/base58.cpp +++ b/src/base58.cpp @@ -2,11 +2,18 @@ // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. +#include "base58.h" + +#include "hash.h" +#include "uint256.h" + #include #include #include #include #include +#include +#include /* All alphanumeric characters except for "0", "I", "O", and "l" */ static const char* pszBase58 = "123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"; @@ -89,3 +96,178 @@ std::string EncodeBase58(const unsigned char* pbegin, const unsigned char* pend) str += pszBase58[*(it++)]; return str; } + +std::string EncodeBase58(const std::vector& vch) { + return EncodeBase58(&vch[0], &vch[0] + vch.size()); +} + +bool DecodeBase58(const std::string& str, std::vector& vchRet) { + return DecodeBase58(str.c_str(), vchRet); +} + +std::string EncodeBase58Check(const std::vector& vchIn) { + // add 4-byte hash check to the end + std::vector vch(vchIn); + uint256 hash = Hash(vch.begin(), vch.end()); + vch.insert(vch.end(), (unsigned char*)&hash, (unsigned char*)&hash + 4); + return EncodeBase58(vch); +} + +bool DecodeBase58Check(const char* psz, std::vector& vchRet) { + if (!DecodeBase58(psz, vchRet) || + (vchRet.size() < 4)) + { + vchRet.clear(); + return false; + } + // re-calculate the checksum, insure it matches the included 4-byte checksum + uint256 hash = Hash(vchRet.begin(), vchRet.end()-4); + if (memcmp(&hash, &vchRet.end()[-4], 4) != 0) + { + vchRet.clear(); + return false; + } + vchRet.resize(vchRet.size()-4); + return true; +} + +bool DecodeBase58Check(const std::string& str, std::vector& vchRet) { + return DecodeBase58Check(str.c_str(), vchRet); +} + +CBase58Data::CBase58Data() { + vchVersion.clear(); + vchData.clear(); +} + +void CBase58Data::SetData(const std::vector &vchVersionIn, const void* pdata, size_t nSize) { + vchVersion = vchVersionIn; + vchData.resize(nSize); + if (!vchData.empty()) + memcpy(&vchData[0], pdata, nSize); +} + +void CBase58Data::SetData(const std::vector &vchVersionIn, const unsigned char *pbegin, const unsigned char *pend) { + SetData(vchVersionIn, (void*)pbegin, pend - pbegin); +} + +bool CBase58Data::SetString(const char* psz, unsigned int nVersionBytes) { + std::vector vchTemp; + bool rc58 = DecodeBase58Check(psz, vchTemp); + if ((!rc58) || (vchTemp.size() < nVersionBytes)) { + vchData.clear(); + vchVersion.clear(); + return false; + } + vchVersion.assign(vchTemp.begin(), vchTemp.begin() + nVersionBytes); + vchData.resize(vchTemp.size() - nVersionBytes); + if (!vchData.empty()) + memcpy(&vchData[0], &vchTemp[nVersionBytes], vchData.size()); + OPENSSL_cleanse(&vchTemp[0], vchData.size()); + return true; +} + +bool CBase58Data::SetString(const std::string& str) { + return SetString(str.c_str()); +} + +std::string CBase58Data::ToString() const { + std::vector vch = vchVersion; + vch.insert(vch.end(), vchData.begin(), vchData.end()); + return EncodeBase58Check(vch); +} + +int CBase58Data::CompareTo(const CBase58Data& b58) const { + if (vchVersion < b58.vchVersion) return -1; + if (vchVersion > b58.vchVersion) return 1; + if (vchData < b58.vchData) return -1; + if (vchData > b58.vchData) return 1; + return 0; +} + +namespace { + class CBitcoinAddressVisitor : public boost::static_visitor { + private: + CBitcoinAddress *addr; + public: + CBitcoinAddressVisitor(CBitcoinAddress *addrIn) : addr(addrIn) { } + + bool operator()(const CKeyID &id) const { return addr->Set(id); } + bool operator()(const CScriptID &id) const { return addr->Set(id); } + bool operator()(const CNoDestination &no) const { return false; } + }; +}; + +bool CBitcoinAddress::Set(const CKeyID &id) { + SetData(Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS), &id, 20); + return true; +} + +bool CBitcoinAddress::Set(const CScriptID &id) { + SetData(Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS), &id, 20); + return true; +} + +bool CBitcoinAddress::Set(const CTxDestination &dest) { + return boost::apply_visitor(CBitcoinAddressVisitor(this), dest); +} + +bool CBitcoinAddress::IsValid() const { + bool fCorrectSize = vchData.size() == 20; + bool fKnownVersion = vchVersion == Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS) || + vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS); + return fCorrectSize && fKnownVersion; +} + +CTxDestination CBitcoinAddress::Get() const { + if (!IsValid()) + return CNoDestination(); + uint160 id; + memcpy(&id, &vchData[0], 20); + if (vchVersion == Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS)) + return CKeyID(id); + else if (vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS)) + return CScriptID(id); + else + return CNoDestination(); +} + +bool CBitcoinAddress::GetKeyID(CKeyID &keyID) const { + if (!IsValid() || vchVersion != Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS)) + return false; + uint160 id; + memcpy(&id, &vchData[0], 20); + keyID = CKeyID(id); + return true; +} + +bool CBitcoinAddress::IsScript() const { + return IsValid() && vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS); +} + +void CBitcoinSecret::SetKey(const CKey& vchSecret) { + assert(vchSecret.IsValid()); + SetData(Params().Base58Prefix(CChainParams::SECRET_KEY), vchSecret.begin(), vchSecret.size()); + if (vchSecret.IsCompressed()) + vchData.push_back(1); +} + +CKey CBitcoinSecret::GetKey() { + CKey ret; + ret.Set(&vchData[0], &vchData[32], vchData.size() > 32 && vchData[32] == 1); + return ret; +} + +bool CBitcoinSecret::IsValid() const { + bool fExpectedFormat = vchData.size() == 32 || (vchData.size() == 33 && vchData[32] == 1); + bool fCorrectVersion = vchVersion == Params().Base58Prefix(CChainParams::SECRET_KEY); + return fExpectedFormat && fCorrectVersion; +} + +bool CBitcoinSecret::SetString(const char* pszSecret) { + return CBase58Data::SetString(pszSecret) && IsValid(); +} + +bool CBitcoinSecret::SetString(const std::string& strSecret) { + return SetString(strSecret.c_str()); +} diff --git a/src/base58.h b/src/base58.h index 4fb436c5ed5..70681f589a6 100644 --- a/src/base58.h +++ b/src/base58.h @@ -15,17 +15,12 @@ #define BITCOIN_BASE58_H #include "chainparams.h" -#include "hash.h" #include "key.h" #include "script.h" -#include "uint256.h" #include #include -#include -#include - /** * Encode a byte sequence as a base58-encoded string. * pbegin and pend cannot be NULL, unless both are. @@ -35,10 +30,7 @@ std::string EncodeBase58(const unsigned char* pbegin, const unsigned char* pend) /** * Encode a byte vector as a base58-encoded string */ -inline std::string EncodeBase58(const std::vector& vch) -{ - return EncodeBase58(&vch[0], &vch[0] + vch.size()); -} +std::string EncodeBase58(const std::vector& vch); /** * Decode a base58-encoded string (psz) into a byte vector (vchRet). @@ -51,55 +43,24 @@ bool DecodeBase58(const char* psz, std::vector& vchRet); * Decode a base58-encoded string (str) into a byte vector (vchRet). * return true if decoding is successful. */ -inline bool DecodeBase58(const std::string& str, std::vector& vchRet) -{ - return DecodeBase58(str.c_str(), vchRet); -} +bool DecodeBase58(const std::string& str, std::vector& vchRet); /** * Encode a byte vector into a base58-encoded string, including checksum */ -inline std::string EncodeBase58Check(const std::vector& vchIn) -{ - // add 4-byte hash check to the end - std::vector vch(vchIn); - uint256 hash = Hash(vch.begin(), vch.end()); - vch.insert(vch.end(), (unsigned char*)&hash, (unsigned char*)&hash + 4); - return EncodeBase58(vch); -} +std::string EncodeBase58Check(const std::vector& vchIn); /** * Decode a base58-encoded string (psz) that includes a checksum into a byte * vector (vchRet), return true if decoding is successful */ -inline bool DecodeBase58Check(const char* psz, std::vector& vchRet) -{ - if (!DecodeBase58(psz, vchRet)) - return false; - if (vchRet.size() < 4) - { - vchRet.clear(); - return false; - } - // re-calculate the checksum, insure it matches the included 4-byte checksum - uint256 hash = Hash(vchRet.begin(), vchRet.end()-4); - if (memcmp(&hash, &vchRet.end()[-4], 4) != 0) - { - vchRet.clear(); - return false; - } - vchRet.resize(vchRet.size()-4); - return true; -} +inline bool DecodeBase58Check(const char* psz, std::vector& vchRet); /** * Decode a base58-encoded string (str) that includes a checksum into a byte * vector (vchRet), return true if decoding is successful */ -inline bool DecodeBase58Check(const std::string& str, std::vector& vchRet) -{ - return DecodeBase58Check(str.c_str(), vchRet); -} +inline bool DecodeBase58Check(const std::string& str, std::vector& vchRet); /** * Base class for all base58-encoded data @@ -114,64 +75,15 @@ class CBase58Data typedef std::vector > vector_uchar; vector_uchar vchData; - CBase58Data() - { - vchVersion.clear(); - vchData.clear(); - } - - void SetData(const std::vector &vchVersionIn, const void* pdata, size_t nSize) - { - vchVersion = vchVersionIn; - vchData.resize(nSize); - if (!vchData.empty()) - memcpy(&vchData[0], pdata, nSize); - } - - void SetData(const std::vector &vchVersionIn, const unsigned char *pbegin, const unsigned char *pend) - { - SetData(vchVersionIn, (void*)pbegin, pend - pbegin); - } + CBase58Data(); + void SetData(const std::vector &vchVersionIn, const void* pdata, size_t nSize); + void SetData(const std::vector &vchVersionIn, const unsigned char *pbegin, const unsigned char *pend); public: - bool SetString(const char* psz, unsigned int nVersionBytes = 1) - { - std::vector vchTemp; - DecodeBase58Check(psz, vchTemp); - if (vchTemp.size() < nVersionBytes) - { - vchData.clear(); - vchVersion.clear(); - return false; - } - vchVersion.assign(vchTemp.begin(), vchTemp.begin() + nVersionBytes); - vchData.resize(vchTemp.size() - nVersionBytes); - if (!vchData.empty()) - memcpy(&vchData[0], &vchTemp[nVersionBytes], vchData.size()); - OPENSSL_cleanse(&vchTemp[0], vchData.size()); - return true; - } - - bool SetString(const std::string& str) - { - return SetString(str.c_str()); - } - - std::string ToString() const - { - std::vector vch = vchVersion; - vch.insert(vch.end(), vchData.begin(), vchData.end()); - return EncodeBase58Check(vch); - } - - int CompareTo(const CBase58Data& b58) const - { - if (vchVersion < b58.vchVersion) return -1; - if (vchVersion > b58.vchVersion) return 1; - if (vchData < b58.vchData) return -1; - if (vchData > b58.vchData) return 1; - return 0; - } + bool SetString(const char* psz, unsigned int nVersionBytes = 1); + bool SetString(const std::string& str); + std::string ToString() const; + int CompareTo(const CBase58Data& b58) const; bool operator==(const CBase58Data& b58) const { return CompareTo(b58) == 0; } bool operator<=(const CBase58Data& b58) const { return CompareTo(b58) <= 0; } @@ -186,140 +98,37 @@ class CBase58Data * Script-hash-addresses have version 5 (or 196 testnet). * The data vector contains RIPEMD160(SHA256(cscript)), where cscript is the serialized redemption script. */ -class CBitcoinAddress; -class CBitcoinAddressVisitor : public boost::static_visitor -{ -private: - CBitcoinAddress *addr; +class CBitcoinAddress : public CBase58Data { public: - CBitcoinAddressVisitor(CBitcoinAddress *addrIn) : addr(addrIn) { } - bool operator()(const CKeyID &id) const; - bool operator()(const CScriptID &id) const; - bool operator()(const CNoDestination &no) const; + bool Set(const CKeyID &id); + bool Set(const CScriptID &id); + bool Set(const CTxDestination &dest); + bool IsValid() const; + + CBitcoinAddress() {} + CBitcoinAddress(const CTxDestination &dest) { Set(dest); } + CBitcoinAddress(const std::string& strAddress) { SetString(strAddress); } + CBitcoinAddress(const char* pszAddress) { SetString(pszAddress); } + + CTxDestination Get() const; + bool GetKeyID(CKeyID &keyID) const; + bool IsScript() const; }; -class CBitcoinAddress : public CBase58Data -{ -public: - bool Set(const CKeyID &id) { - SetData(Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS), &id, 20); - return true; - } - - bool Set(const CScriptID &id) { - SetData(Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS), &id, 20); - return true; - } - - bool Set(const CTxDestination &dest) - { - return boost::apply_visitor(CBitcoinAddressVisitor(this), dest); - } - - bool IsValid() const - { - bool fCorrectSize = vchData.size() == 20; - bool fKnownVersion = vchVersion == Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS) || - vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS); - return fCorrectSize && fKnownVersion; - } - - CBitcoinAddress() - { - } - - CBitcoinAddress(const CTxDestination &dest) - { - Set(dest); - } - - CBitcoinAddress(const std::string& strAddress) - { - SetString(strAddress); - } - - CBitcoinAddress(const char* pszAddress) - { - SetString(pszAddress); - } - - CTxDestination Get() const { - if (!IsValid()) - return CNoDestination(); - uint160 id; - memcpy(&id, &vchData[0], 20); - if (vchVersion == Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS)) - return CKeyID(id); - else if (vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS)) - return CScriptID(id); - else - return CNoDestination(); - } - - bool GetKeyID(CKeyID &keyID) const { - if (!IsValid() || vchVersion != Params().Base58Prefix(CChainParams::PUBKEY_ADDRESS)) - return false; - uint160 id; - memcpy(&id, &vchData[0], 20); - keyID = CKeyID(id); - return true; - } - - bool IsScript() const { - return IsValid() && vchVersion == Params().Base58Prefix(CChainParams::SCRIPT_ADDRESS); - } -}; - -bool inline CBitcoinAddressVisitor::operator()(const CKeyID &id) const { return addr->Set(id); } -bool inline CBitcoinAddressVisitor::operator()(const CScriptID &id) const { return addr->Set(id); } -bool inline CBitcoinAddressVisitor::operator()(const CNoDestination &id) const { return false; } - /** * A base58-encoded secret key */ class CBitcoinSecret : public CBase58Data { public: - void SetKey(const CKey& vchSecret) - { - assert(vchSecret.IsValid()); - SetData(Params().Base58Prefix(CChainParams::SECRET_KEY), vchSecret.begin(), vchSecret.size()); - if (vchSecret.IsCompressed()) - vchData.push_back(1); - } - - CKey GetKey() - { - CKey ret; - ret.Set(&vchData[0], &vchData[32], vchData.size() > 32 && vchData[32] == 1); - return ret; - } - - bool IsValid() const - { - bool fExpectedFormat = vchData.size() == 32 || (vchData.size() == 33 && vchData[32] == 1); - bool fCorrectVersion = vchVersion == Params().Base58Prefix(CChainParams::SECRET_KEY); - return fExpectedFormat && fCorrectVersion; - } - - bool SetString(const char* pszSecret) - { - return CBase58Data::SetString(pszSecret) && IsValid(); - } - - bool SetString(const std::string& strSecret) - { - return SetString(strSecret.c_str()); - } - - CBitcoinSecret(const CKey& vchSecret) - { - SetKey(vchSecret); - } - - CBitcoinSecret() - { - } + void SetKey(const CKey& vchSecret); + CKey GetKey(); + bool IsValid() const; + bool SetString(const char* pszSecret); + bool SetString(const std::string& strSecret); + + CBitcoinSecret(const CKey& vchSecret) { SetKey(vchSecret); } + CBitcoinSecret() {} }; template class CBitcoinExtKeyBase : public CBase58Data diff --git a/src/bitcoin-cli.cpp b/src/bitcoin-cli.cpp index ca6950a162e..ce9e7a4027f 100644 --- a/src/bitcoin-cli.cpp +++ b/src/bitcoin-cli.cpp @@ -58,6 +58,8 @@ static bool AppInitRPC(int argc, char* argv[]) int main(int argc, char* argv[]) { + SetupEnvironment(); + try { if(!AppInitRPC(argc, argv)) diff --git a/src/bitcoind.cpp b/src/bitcoind.cpp index 17aa0c9d4ba..78c8b2ba0ec 100644 --- a/src/bitcoind.cpp +++ b/src/bitcoind.cpp @@ -172,6 +172,8 @@ bool AppInit(int argc, char* argv[]) int main(int argc, char* argv[]) { + SetupEnvironment(); + bool fRet = false; // Connect bitcoind signal handlers diff --git a/src/chainparams.cpp b/src/chainparams.cpp index b52774ee20b..eb56800b92f 100644 --- a/src/chainparams.cpp +++ b/src/chainparams.cpp @@ -125,7 +125,7 @@ class CMainParams : public CChainParams { CTransaction txNew; txNew.vin.resize(1); txNew.vout.resize(1); - txNew.vin[0].scriptSig = CScript() << 486604799 << CBigNum(4) << vector((const unsigned char*)pszTimestamp, (const unsigned char*)pszTimestamp + strlen(pszTimestamp)); + txNew.vin[0].scriptSig = CScript() << 486604799 << CScriptNum(4) << vector((const unsigned char*)pszTimestamp, (const unsigned char*)pszTimestamp + strlen(pszTimestamp)); txNew.vout[0].nValue = 50 * COIN; txNew.vout[0].scriptPubKey = CScript() << ParseHex("04678afdb0fe5548271967f1a67130b7105cd6a828e03909a67962e0ea1f61deb649f6bc3f4cef38c4f35504e51ec112de5c384df7ba0b8d578a4c702b6bf11d5f") << OP_CHECKSIG; genesis.vtx.push_back(txNew); diff --git a/src/checkpoints.cpp b/src/checkpoints.cpp index 9ab8b684432..b685a22d9c3 100644 --- a/src/checkpoints.cpp +++ b/src/checkpoints.cpp @@ -51,11 +51,12 @@ namespace Checkpoints (225430, uint256("0x00000000000001c108384350f74090433e7fcf79a606b8e797f065b130575932")) (250000, uint256("0x000000000000003887df1f29024b06fc2200b55f8af8f35453d7be294df2d214")) (279000, uint256("0x0000000000000001ae8c72a0b0c301f67e3afca10e819efa9041e458e9bd7e40")) + (295000, uint256("0x00000000000000004d9b4ef50f0f9d686fd69db2e03af35a100370c64632a983")) ; static const CCheckpointData data = { &mapCheckpoints, - 1389047471, // * UNIX timestamp of last checkpoint block - 30549816, // * total number of transactions between genesis and last checkpoint + 1397080064, // * UNIX timestamp of last checkpoint block + 36544669, // * total number of transactions between genesis and last checkpoint // (the tx=... number in the SetBestChain debug.log lines) 60000.0 // * estimated number of transactions per day after checkpoint }; diff --git a/src/clientversion.h b/src/clientversion.h index 29b4aa37642..31270fea26b 100644 --- a/src/clientversion.h +++ b/src/clientversion.h @@ -11,15 +11,15 @@ // These need to be macros, as version.cpp's and bitcoin-qt.rc's voodoo requires it #define CLIENT_VERSION_MAJOR 0 #define CLIENT_VERSION_MINOR 9 -#define CLIENT_VERSION_REVISION 99 +#define CLIENT_VERSION_REVISION 5 #define CLIENT_VERSION_BUILD 0 // Set to true for release, false for prerelease or test build -#define CLIENT_VERSION_IS_RELEASE false +#define CLIENT_VERSION_IS_RELEASE true // Copyright year (2009-this) // Todo: update this when changing our copyright comments in the source -#define COPYRIGHT_YEAR 2014 +#define COPYRIGHT_YEAR 2015 #endif //HAVE_CONFIG_H diff --git a/src/compat/glibcxx_compat.cpp b/src/compat/glibcxx_compat.cpp index e91376f8184..3795151fb7b 100644 --- a/src/compat/glibcxx_compat.cpp +++ b/src/compat/glibcxx_compat.cpp @@ -58,6 +58,8 @@ template istream& istream::_M_extract(unsigned short&); out_of_range::~out_of_range() _GLIBCXX_USE_NOEXCEPT { } +length_error::~length_error() _GLIBCXX_USE_NOEXCEPT { } + // Used with permission. // See: https://github.com/madlib/madlib/commit/c3db418c0d34d6813608f2137fef1012ce03043d diff --git a/src/core.cpp b/src/core.cpp index cbdd24e806f..7651ce9957e 100644 --- a/src/core.cpp +++ b/src/core.cpp @@ -140,7 +140,7 @@ double CTransaction::ComputePriority(double dPriorityInputs, unsigned int nTxSiz std::string CTransaction::ToString() const { std::string str; - str += strprintf("CTransaction(hash=%s, ver=%d, vin.size=%"PRIszu", vout.size=%"PRIszu", nLockTime=%u)\n", + str += strprintf("CTransaction(hash=%s, ver=%d, vin.size=%u, vout.size=%u, nLockTime=%u)\n", GetHash().ToString().substr(0,10), nVersion, vin.size(), @@ -269,7 +269,7 @@ uint256 CBlock::CheckMerkleBranch(uint256 hash, const std::vector& vMer void CBlock::print() const { - LogPrintf("CBlock(hash=%s, ver=%d, hashPrevBlock=%s, hashMerkleRoot=%s, nTime=%u, nBits=%08x, nNonce=%u, vtx=%"PRIszu")\n", + LogPrintf("CBlock(hash=%s, ver=%d, hashPrevBlock=%s, hashMerkleRoot=%s, nTime=%u, nBits=%08x, nNonce=%u, vtx=%u)\n", GetHash().ToString(), nVersion, hashPrevBlock.ToString(), diff --git a/src/core.h b/src/core.h index 5eb953610d0..d89f06b1217 100644 --- a/src/core.h +++ b/src/core.h @@ -345,7 +345,7 @@ class CBlockHeader { public: // header - static const int CURRENT_VERSION=2; + static const int CURRENT_VERSION=3; int nVersion; uint256 hashPrevBlock; uint256 hashMerkleRoot; diff --git a/src/init.cpp b/src/init.cpp index 77c32d0b493..6f9abcafdc0 100644 --- a/src/init.cpp +++ b/src/init.cpp @@ -11,6 +11,7 @@ #include "addrman.h" #include "checkpoints.h" +#include "key.h" #include "main.h" #include "miner.h" #include "net.h" @@ -25,6 +26,7 @@ #endif #include +#include #ifndef WIN32 #include @@ -203,8 +205,9 @@ std::string HelpMessage(HelpMessageMode hmm) } strUsage += " -datadir= " + _("Specify data directory") + "\n"; strUsage += " -dbcache= " + strprintf(_("Set database cache size in megabytes (%d to %d, default: %d)"), nMinDbCache, nMaxDbCache, nDefaultDbCache) + "\n"; - strUsage += " -keypool= " + _("Set key pool size to (default: 100)") + "\n"; strUsage += " -loadblock= " + _("Imports blocks from external blk000??.dat file") + " " + _("on startup") + "\n"; + strUsage += " -maxorphanblocks= " + strprintf(_("Keep at most unconnectable blocks in memory (default: %u)"), DEFAULT_MAX_ORPHAN_BLOCKS) + "\n"; + strUsage += " -maxorphantx= " + strprintf(_("Keep at most unconnectable transactions in memory (default: %u)"), DEFAULT_MAX_ORPHAN_TRANSACTIONS) + "\n"; strUsage += " -par= " + strprintf(_("Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)"), -(int)boost::thread::hardware_concurrency(), MAX_SCRIPTCHECK_THREADS, DEFAULT_SCRIPTCHECK_THREADS) + "\n"; strUsage += " -pid= " + _("Specify pid file (default: bitcoind.pid)") + "\n"; strUsage += " -reindex " + _("Rebuild block chain index from current blk000??.dat files") + " " + _("on startup") + "\n"; @@ -218,7 +221,8 @@ std::string HelpMessage(HelpMessageMode hmm) strUsage += " -connect= " + _("Connect only to the specified node(s)") + "\n"; strUsage += " -discover " + _("Discover own IP address (default: 1 when listening and no -externalip)") + "\n"; strUsage += " -dns " + _("Allow DNS lookups for -addnode, -seednode and -connect") + " " + _("(default: 1)") + "\n"; - strUsage += " -dnsseed " + _("Find peers using DNS lookup (default: 1 unless -connect)") + "\n"; + strUsage += " -dnsseed " + _("Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect)") + "\n"; + strUsage += " -forcednsseed " + _("Always query for peer addresses via DNS lookup (default: 0)") + "\n"; strUsage += " -externalip= " + _("Specify your own public address") + "\n"; strUsage += " -listen " + _("Accept connections from outside (default: 1 if no -proxy or -connect)") + "\n"; strUsage += " -maxconnections= " + _("Maintain at most connections to peers (default: 125)") + "\n"; @@ -242,6 +246,7 @@ std::string HelpMessage(HelpMessageMode hmm) #ifdef ENABLE_WALLET strUsage += "\n" + _("Wallet options:") + "\n"; strUsage += " -disablewallet " + _("Do not load the wallet and disable wallet RPC calls") + "\n"; + strUsage += " -keypool= " + _("Set key pool size to (default: 100)") + "\n"; strUsage += " -paytxfee= " + _("Fee per kB to add to transactions you send") + "\n"; strUsage += " -rescan " + _("Rescan the block chain for missing wallet transactions") + " " + _("on startup") + "\n"; strUsage += " -salvagewallet " + _("Attempt to recover private keys from a corrupt wallet.dat") + " " + _("on startup") + "\n"; @@ -271,8 +276,10 @@ std::string HelpMessage(HelpMessageMode hmm) if (hmm == HMM_BITCOIN_QT) strUsage += ", qt"; strUsage += ".\n"; +#ifdef ENABLE_WALLET strUsage += " -gen " + _("Generate coins (default: 0)") + "\n"; strUsage += " -genproclimit= " + _("Set the processor limit for when generation is on (-1 = unlimited, default: -1)") + "\n"; +#endif strUsage += " -help-debug " + _("Show all debugging options (usage: --help -help-debug)") + "\n"; strUsage += " -logtimestamps " + _("Prepend debug output with timestamp (default: 1)") + "\n"; if (GetBoolArg("-help-debug", false)) @@ -383,6 +390,23 @@ void ThreadImport(std::vector vImportFiles) } } +/** Sanity checks + * Ensure that Bitcoin is running in a usable environment with all + * necessary library support. + */ +bool InitSanityCheck(void) +{ + if(!ECC_InitSanityCheck()) { + InitError("OpenSSL appears to lack support for elliptic curve cryptography. For more " + "information, visit https://en.bitcoin.it/wiki/OpenSSL_and_EC_Libraries"); + return false; + } + + // TODO: remaining sanity checks, see #4081 + + return true; +} + /** Initialize bitcoin. * @pre Parameters should be parsed and config file should be read. */ @@ -530,6 +554,7 @@ bool AppInit2(boost::thread_group& threadGroup) fServer = GetBoolArg("-server", false); fPrintToConsole = GetBoolArg("-printtoconsole", false); fLogTimestamps = GetBoolArg("-logtimestamps", true); + setvbuf(stdout, NULL, _IOLBF, 0); #ifdef ENABLE_WALLET bool fDisableWallet = GetBoolArg("-disablewallet", false); #endif @@ -583,6 +608,9 @@ bool AppInit2(boost::thread_group& threadGroup) strWalletFile = GetArg("-wallet", "wallet.dat"); #endif // ********************************************************* Step 4: application initialization: dir lock, daemonize, pidfile, debug log + // Sanity check + if (!InitSanityCheck()) + return InitError(_("Initialization sanity check failed. Bitcoin Core is shutting down.")); std::string strDataDir = GetDataDir().string(); #ifdef ENABLE_WALLET @@ -700,11 +728,9 @@ bool AppInit2(boost::thread_group& threadGroup) if (!addrProxy.IsValid()) return InitError(strprintf(_("Invalid -proxy address: '%s'"), mapArgs["-proxy"])); - if (!IsLimited(NET_IPV4)) - SetProxy(NET_IPV4, addrProxy, nSocksVersion); + SetProxy(NET_IPV4, addrProxy, nSocksVersion); if (nSocksVersion > 4) { - if (!IsLimited(NET_IPV6)) - SetProxy(NET_IPV6, addrProxy, nSocksVersion); + SetProxy(NET_IPV6, addrProxy, nSocksVersion); SetNameProxy(addrProxy, nSocksVersion); } fProxy = true; @@ -1078,12 +1104,12 @@ bool AppInit2(boost::thread_group& threadGroup) RandAddSeedPerfmon(); //// debug print - LogPrintf("mapBlockIndex.size() = %"PRIszu"\n", mapBlockIndex.size()); + LogPrintf("mapBlockIndex.size() = %u\n", mapBlockIndex.size()); LogPrintf("nBestHeight = %d\n", chainActive.Height()); #ifdef ENABLE_WALLET - LogPrintf("setKeyPool.size() = %"PRIszu"\n", pwalletMain ? pwalletMain->setKeyPool.size() : 0); - LogPrintf("mapWallet.size() = %"PRIszu"\n", pwalletMain ? pwalletMain->mapWallet.size() : 0); - LogPrintf("mapAddressBook.size() = %"PRIszu"\n", pwalletMain ? pwalletMain->mapAddressBook.size() : 0); + LogPrintf("setKeyPool.size() = %u\n", pwalletMain ? pwalletMain->setKeyPool.size() : 0); + LogPrintf("mapWallet.size() = %u\n", pwalletMain ? pwalletMain->mapWallet.size() : 0); + LogPrintf("mapAddressBook.size() = %u\n", pwalletMain ? pwalletMain->mapAddressBook.size() : 0); #endif StartNode(threadGroup); diff --git a/src/json/json_spirit_reader_template.h b/src/json/json_spirit_reader_template.h index 4dec00e6c9b..46f5892f62d 100644 --- a/src/json/json_spirit_reader_template.h +++ b/src/json/json_spirit_reader_template.h @@ -33,8 +33,8 @@ namespace json_spirit { - const spirit_namespace::int_parser < boost::int64_t > int64_p = spirit_namespace::int_parser < boost::int64_t >(); - const spirit_namespace::uint_parser< boost::uint64_t > uint64_p = spirit_namespace::uint_parser< boost::uint64_t >(); + const spirit_namespace::int_parser < int64_t > int64_p = spirit_namespace::int_parser < int64_t >(); + const spirit_namespace::uint_parser< uint64_t > uint64_p = spirit_namespace::uint_parser< uint64_t >(); template< class Iter_type > bool is_eq( Iter_type first, Iter_type last, const char* c_str ) @@ -270,12 +270,12 @@ namespace json_spirit add_to_current( Value_type() ); } - void new_int( boost::int64_t i ) + void new_int( int64_t i ) { add_to_current( i ); } - void new_uint64( boost::uint64_t ui ) + void new_uint64( uint64_t ui ) { add_to_current( ui ); } @@ -425,8 +425,8 @@ namespace json_spirit typedef boost::function< void( Char_type ) > Char_action; typedef boost::function< void( Iter_type, Iter_type ) > Str_action; typedef boost::function< void( double ) > Real_action; - typedef boost::function< void( boost::int64_t ) > Int_action; - typedef boost::function< void( boost::uint64_t ) > Uint64_action; + typedef boost::function< void( int64_t ) > Int_action; + typedef boost::function< void( uint64_t ) > Uint64_action; Char_action begin_obj ( boost::bind( &Semantic_actions_t::begin_obj, &self.actions_, _1 ) ); Char_action end_obj ( boost::bind( &Semantic_actions_t::end_obj, &self.actions_, _1 ) ); diff --git a/src/json/json_spirit_value.h b/src/json/json_spirit_value.h index 7e83a2a7e3e..13cc89210c6 100644 --- a/src/json/json_spirit_value.h +++ b/src/json/json_spirit_value.h @@ -16,8 +16,8 @@ #include #include #include +#include #include -#include #include #include @@ -45,8 +45,8 @@ namespace json_spirit Value_impl( const Array& value ); Value_impl( bool value ); Value_impl( int value ); - Value_impl( boost::int64_t value ); - Value_impl( boost::uint64_t value ); + Value_impl( int64_t value ); + Value_impl( uint64_t value ); Value_impl( double value ); Value_impl( const Value_impl& other ); @@ -65,8 +65,8 @@ namespace json_spirit const Array& get_array() const; bool get_bool() const; int get_int() const; - boost::int64_t get_int64() const; - boost::uint64_t get_uint64() const; + int64_t get_int64() const; + uint64_t get_uint64() const; double get_real() const; Object& get_obj(); @@ -83,7 +83,7 @@ namespace json_spirit typedef boost::variant< String_type, boost::recursive_wrapper< Object >, boost::recursive_wrapper< Array >, - bool, boost::int64_t, double > Variant; + bool, int64_t, double > Variant; Value_type type_; Variant v_; @@ -258,13 +258,13 @@ namespace json_spirit template< class Config > Value_impl< Config >::Value_impl( int value ) : type_( int_type ) - , v_( static_cast< boost::int64_t >( value ) ) + , v_( static_cast< int64_t >( value ) ) , is_uint64_( false ) { } template< class Config > - Value_impl< Config >::Value_impl( boost::int64_t value ) + Value_impl< Config >::Value_impl( int64_t value ) : type_( int_type ) , v_( value ) , is_uint64_( false ) @@ -272,9 +272,9 @@ namespace json_spirit } template< class Config > - Value_impl< Config >::Value_impl( boost::uint64_t value ) + Value_impl< Config >::Value_impl( uint64_t value ) : type_( int_type ) - , v_( static_cast< boost::int64_t >( value ) ) + , v_( static_cast< int64_t >( value ) ) , is_uint64_( true ) { } @@ -390,19 +390,19 @@ namespace json_spirit } template< class Config > - boost::int64_t Value_impl< Config >::get_int64() const + int64_t Value_impl< Config >::get_int64() const { check_type( int_type ); - return boost::get< boost::int64_t >( v_ ); + return boost::get< int64_t >( v_ ); } template< class Config > - boost::uint64_t Value_impl< Config >::get_uint64() const + uint64_t Value_impl< Config >::get_uint64() const { check_type( int_type ); - return static_cast< boost::uint64_t >( get_int64() ); + return static_cast< uint64_t >( get_int64() ); } template< class Config > @@ -481,13 +481,13 @@ namespace json_spirit } template< class Value > - boost::int64_t get_value( const Value& value, Type_to_type< boost::int64_t > ) + int64_t get_value( const Value& value, Type_to_type< int64_t > ) { return value.get_int64(); } template< class Value > - boost::uint64_t get_value( const Value& value, Type_to_type< boost::uint64_t > ) + uint64_t get_value( const Value& value, Type_to_type< uint64_t > ) { return value.get_uint64(); } diff --git a/src/key.cpp b/src/key.cpp index b57b7c506c2..63332bfc48f 100644 --- a/src/key.cpp +++ b/src/key.cpp @@ -227,10 +227,34 @@ class CECKey { } bool Verify(const uint256 &hash, const std::vector& vchSig) { - // -1 = error, 0 = bad sig, 1 = good - if (ECDSA_verify(0, (unsigned char*)&hash, sizeof(hash), &vchSig[0], vchSig.size(), pkey) != 1) + if (vchSig.empty()) return false; - return true; + + // New versions of OpenSSL will reject non-canonical DER signatures. de/re-serialize first. + unsigned char *norm_der = NULL; + ECDSA_SIG *norm_sig = ECDSA_SIG_new(); + const unsigned char* sigptr = &vchSig[0]; + assert(norm_sig); + if (d2i_ECDSA_SIG(&norm_sig, &sigptr, vchSig.size()) == NULL) + { + /* As of OpenSSL 1.0.0p d2i_ECDSA_SIG frees and nulls the pointer on + * error. But OpenSSL's own use of this function redundantly frees the + * result. As ECDSA_SIG_free(NULL) is a no-op, and in the absence of a + * clear contract for the function behaving the same way is more + * conservative. + */ + ECDSA_SIG_free(norm_sig); + return false; + } + int derlen = i2d_ECDSA_SIG(norm_sig, &norm_der); + ECDSA_SIG_free(norm_sig); + if (derlen <= 0) + return false; + + // -1 = error, 0 = bad sig, 1 = good + bool ret = ECDSA_verify(0, (unsigned char*)&hash, sizeof(hash), norm_der, derlen, pkey) == 1; + OPENSSL_free(norm_der); + return ret; } bool SignCompact(const uint256 &hash, unsigned char *p64, int &rec) { @@ -616,3 +640,15 @@ bool CExtPubKey::Derive(CExtPubKey &out, unsigned int nChild) const { out.nChild = nChild; return pubkey.Derive(out.pubkey, out.vchChainCode, nChild, vchChainCode); } + +bool ECC_InitSanityCheck() { + EC_KEY *pkey = EC_KEY_new_by_curve_name(NID_secp256k1); + if(pkey == NULL) + return false; + EC_KEY_free(pkey); + + // TODO Is there more EC functionality that could be missing? + return true; +} + + diff --git a/src/key.h b/src/key.h index cf1165d3d02..67206ba9146 100644 --- a/src/key.h +++ b/src/key.h @@ -307,4 +307,7 @@ struct CExtKey { void SetMaster(const unsigned char *seed, unsigned int nSeedLen); }; +/** Check that required EC support is available at runtime */ +bool ECC_InitSanityCheck(void); + #endif diff --git a/src/keystore.cpp b/src/keystore.cpp index 46402ea25b7..594e0c61da9 100644 --- a/src/keystore.cpp +++ b/src/keystore.cpp @@ -33,6 +33,9 @@ bool CBasicKeyStore::AddKeyPubKey(const CKey& key, const CPubKey &pubkey) bool CBasicKeyStore::AddCScript(const CScript& redeemScript) { + if (redeemScript.size() > MAX_SCRIPT_ELEMENT_SIZE) + return error("CBasicKeyStore::AddCScript() : redeemScripts > %i bytes are invalid", MAX_SCRIPT_ELEMENT_SIZE); + LOCK(cs_KeyStore); mapScripts[redeemScript.GetID()] = redeemScript; return true; diff --git a/src/leveldb/Makefile b/src/leveldb/Makefile index 344ff2972a5..f8903b69e4b 100644 --- a/src/leveldb/Makefile +++ b/src/leveldb/Makefile @@ -72,7 +72,7 @@ SHARED = $(SHARED1) else # Update db.h if you change these. SHARED_MAJOR = 1 -SHARED_MINOR = 15 +SHARED_MINOR = 17 SHARED1 = libleveldb.$(PLATFORM_SHARED_EXT) SHARED2 = $(SHARED1).$(SHARED_MAJOR) SHARED3 = $(SHARED1).$(SHARED_MAJOR).$(SHARED_MINOR) @@ -190,19 +190,20 @@ PLATFORMSROOT=/Applications/Xcode.app/Contents/Developer/Platforms SIMULATORROOT=$(PLATFORMSROOT)/iPhoneSimulator.platform/Developer DEVICEROOT=$(PLATFORMSROOT)/iPhoneOS.platform/Developer IOSVERSION=$(shell defaults read $(PLATFORMSROOT)/iPhoneOS.platform/version CFBundleShortVersionString) +IOSARCH=-arch armv6 -arch armv7 -arch armv7s -arch arm64 .cc.o: mkdir -p ios-x86/$(dir $@) - $(CXX) $(CXXFLAGS) -isysroot $(SIMULATORROOT)/SDKs/iPhoneSimulator$(IOSVERSION).sdk -arch i686 -c $< -o ios-x86/$@ + $(CXX) $(CXXFLAGS) -isysroot $(SIMULATORROOT)/SDKs/iPhoneSimulator$(IOSVERSION).sdk -arch i686 -arch x86_64 -c $< -o ios-x86/$@ mkdir -p ios-arm/$(dir $@) - xcrun -sdk iphoneos $(CXX) $(CXXFLAGS) -isysroot $(DEVICEROOT)/SDKs/iPhoneOS$(IOSVERSION).sdk -arch armv6 -arch armv7 -c $< -o ios-arm/$@ + xcrun -sdk iphoneos $(CXX) $(CXXFLAGS) -isysroot $(DEVICEROOT)/SDKs/iPhoneOS$(IOSVERSION).sdk $(IOSARCH) -c $< -o ios-arm/$@ lipo ios-x86/$@ ios-arm/$@ -create -output $@ .c.o: mkdir -p ios-x86/$(dir $@) - $(CC) $(CFLAGS) -isysroot $(SIMULATORROOT)/SDKs/iPhoneSimulator$(IOSVERSION).sdk -arch i686 -c $< -o ios-x86/$@ + $(CC) $(CFLAGS) -isysroot $(SIMULATORROOT)/SDKs/iPhoneSimulator$(IOSVERSION).sdk -arch i686 -arch x86_64 -c $< -o ios-x86/$@ mkdir -p ios-arm/$(dir $@) - xcrun -sdk iphoneos $(CC) $(CFLAGS) -isysroot $(DEVICEROOT)/SDKs/iPhoneOS$(IOSVERSION).sdk -arch armv6 -arch armv7 -c $< -o ios-arm/$@ + xcrun -sdk iphoneos $(CC) $(CFLAGS) -isysroot $(DEVICEROOT)/SDKs/iPhoneOS$(IOSVERSION).sdk $(IOSARCH) -c $< -o ios-arm/$@ lipo ios-x86/$@ ios-arm/$@ -create -output $@ else diff --git a/src/leveldb/db/filename.cc b/src/leveldb/db/filename.cc index 27d750697b0..da32946d992 100644 --- a/src/leveldb/db/filename.cc +++ b/src/leveldb/db/filename.cc @@ -29,19 +29,14 @@ std::string LogFileName(const std::string& name, uint64_t number) { return MakeFileName(name, number, "log"); } -// TableFileName returns the filenames we usually write to, while -// SSTTableFileName returns the alternative filenames we also try to read from -// for backward compatibility. For now, swap them around. -// TODO: when compatibility is no longer necessary, swap them back -// (TableFileName to use "ldb" and SSTTableFileName to use "sst"). std::string TableFileName(const std::string& name, uint64_t number) { assert(number > 0); - return MakeFileName(name, number, "sst"); + return MakeFileName(name, number, "ldb"); } std::string SSTTableFileName(const std::string& name, uint64_t number) { assert(number > 0); - return MakeFileName(name, number, "ldb"); + return MakeFileName(name, number, "sst"); } std::string DescriptorFileName(const std::string& dbname, uint64_t number) { diff --git a/src/leveldb/db/log_reader.cc b/src/leveldb/db/log_reader.cc index b35f115aada..4919216d044 100644 --- a/src/leveldb/db/log_reader.cc +++ b/src/leveldb/db/log_reader.cc @@ -133,7 +133,9 @@ bool Reader::ReadRecord(Slice* record, std::string* scratch) { case kEof: if (in_fragmented_record) { - ReportCorruption(scratch->size(), "partial record without end(3)"); + // This can be caused by the writer dying immediately after + // writing a physical record but before completing the next; don't + // treat it as a corruption, just ignore the entire logical record. scratch->clear(); } return false; @@ -193,13 +195,12 @@ unsigned int Reader::ReadPhysicalRecord(Slice* result) { eof_ = true; } continue; - } else if (buffer_.size() == 0) { - // End of file - return kEof; } else { - size_t drop_size = buffer_.size(); + // Note that if buffer_ is non-empty, we have a truncated header at the + // end of the file, which can be caused by the writer crashing in the + // middle of writing the header. Instead of considering this an error, + // just report EOF. buffer_.clear(); - ReportCorruption(drop_size, "truncated record at end of file"); return kEof; } } @@ -213,8 +214,14 @@ unsigned int Reader::ReadPhysicalRecord(Slice* result) { if (kHeaderSize + length > buffer_.size()) { size_t drop_size = buffer_.size(); buffer_.clear(); - ReportCorruption(drop_size, "bad record length"); - return kBadRecord; + if (!eof_) { + ReportCorruption(drop_size, "bad record length"); + return kBadRecord; + } + // If the end of the file has been reached without reading |length| bytes + // of payload, assume the writer died in the middle of writing the record. + // Don't report a corruption. + return kEof; } if (type == kZeroType && length == 0) { diff --git a/src/leveldb/db/log_test.cc b/src/leveldb/db/log_test.cc index 4c5cf875733..91d3caafc3b 100644 --- a/src/leveldb/db/log_test.cc +++ b/src/leveldb/db/log_test.cc @@ -351,20 +351,32 @@ TEST(LogTest, BadRecordType) { ASSERT_EQ("OK", MatchError("unknown record type")); } -TEST(LogTest, TruncatedTrailingRecord) { +TEST(LogTest, TruncatedTrailingRecordIsIgnored) { Write("foo"); ShrinkSize(4); // Drop all payload as well as a header byte ASSERT_EQ("EOF", Read()); - ASSERT_EQ(kHeaderSize - 1, DroppedBytes()); - ASSERT_EQ("OK", MatchError("truncated record at end of file")); + // Truncated last record is ignored, not treated as an error. + ASSERT_EQ(0, DroppedBytes()); + ASSERT_EQ("", ReportMessage()); } TEST(LogTest, BadLength) { + const int kPayloadSize = kBlockSize - kHeaderSize; + Write(BigString("bar", kPayloadSize)); + Write("foo"); + // Least significant size byte is stored in header[4]. + IncrementByte(4, 1); + ASSERT_EQ("foo", Read()); + ASSERT_EQ(kBlockSize, DroppedBytes()); + ASSERT_EQ("OK", MatchError("bad record length")); +} + +TEST(LogTest, BadLengthAtEndIsIgnored) { Write("foo"); ShrinkSize(1); ASSERT_EQ("EOF", Read()); - ASSERT_EQ(kHeaderSize + 2, DroppedBytes()); - ASSERT_EQ("OK", MatchError("bad record length")); + ASSERT_EQ(0, DroppedBytes()); + ASSERT_EQ("", ReportMessage()); } TEST(LogTest, ChecksumMismatch) { @@ -415,6 +427,24 @@ TEST(LogTest, UnexpectedFirstType) { ASSERT_EQ("OK", MatchError("partial record without end")); } +TEST(LogTest, MissingLastIsIgnored) { + Write(BigString("bar", kBlockSize)); + // Remove the LAST block, including header. + ShrinkSize(14); + ASSERT_EQ("EOF", Read()); + ASSERT_EQ("", ReportMessage()); + ASSERT_EQ(0, DroppedBytes()); +} + +TEST(LogTest, PartialLastIsIgnored) { + Write(BigString("bar", kBlockSize)); + // Cause a bad record length in the LAST block. + ShrinkSize(1); + ASSERT_EQ("EOF", Read()); + ASSERT_EQ("", ReportMessage()); + ASSERT_EQ(0, DroppedBytes()); +} + TEST(LogTest, ErrorJoinsRecords) { // Consider two fragmented records: // first(R1) last(R1) first(R2) last(R2) diff --git a/src/leveldb/db/repair.cc b/src/leveldb/db/repair.cc index 96c9b37af14..7727fafc58e 100644 --- a/src/leveldb/db/repair.cc +++ b/src/leveldb/db/repair.cc @@ -242,7 +242,6 @@ class Repairer { } void ExtractMetaData() { - std::vector kept; for (size_t i = 0; i < table_numbers_.size(); i++) { ScanTable(table_numbers_[i]); } diff --git a/src/leveldb/db/version_set.cc b/src/leveldb/db/version_set.cc index 517edd3b18b..aa83df55e4c 100644 --- a/src/leveldb/db/version_set.cc +++ b/src/leveldb/db/version_set.cc @@ -54,20 +54,6 @@ static int64_t TotalFileSize(const std::vector& files) { return sum; } -namespace { -std::string IntSetToString(const std::set& s) { - std::string result = "{"; - for (std::set::const_iterator it = s.begin(); - it != s.end(); - ++it) { - result += (result.size() > 1) ? "," : ""; - result += NumberToString(*it); - } - result += "}"; - return result; -} -} // namespace - Version::~Version() { assert(refs_ == 0); diff --git a/src/leveldb/include/leveldb/c.h b/src/leveldb/include/leveldb/c.h index 1fa58866c39..1048fe3b868 100644 --- a/src/leveldb/include/leveldb/c.h +++ b/src/leveldb/include/leveldb/c.h @@ -9,7 +9,6 @@ Does not support: . getters for the option types . custom comparators that implement key shortening - . capturing post-write-snapshot . custom iter, db, env, cache implementations using just the C bindings Some conventions: diff --git a/src/leveldb/include/leveldb/db.h b/src/leveldb/include/leveldb/db.h index 5ffb29d5264..40851b2aa83 100644 --- a/src/leveldb/include/leveldb/db.h +++ b/src/leveldb/include/leveldb/db.h @@ -14,7 +14,7 @@ namespace leveldb { // Update Makefile if you change these static const int kMajorVersion = 1; -static const int kMinorVersion = 15; +static const int kMinorVersion = 17; struct Options; struct ReadOptions; diff --git a/src/leveldb/include/leveldb/slice.h b/src/leveldb/include/leveldb/slice.h index 74ea8fa49af..bc367986f7e 100644 --- a/src/leveldb/include/leveldb/slice.h +++ b/src/leveldb/include/leveldb/slice.h @@ -94,7 +94,7 @@ inline bool operator!=(const Slice& x, const Slice& y) { } inline int Slice::compare(const Slice& b) const { - const int min_len = (size_ < b.size_) ? size_ : b.size_; + const size_t min_len = (size_ < b.size_) ? size_ : b.size_; int r = memcmp(data_, b.data_, min_len); if (r == 0) { if (size_ < b.size_) r = -1; diff --git a/src/m4/ax_boost_base.m4 b/src/m4/ax_boost_base.m4 index e025a7e1ca9..3f24d5ddc61 100644 --- a/src/m4/ax_boost_base.m4 +++ b/src/m4/ax_boost_base.m4 @@ -112,6 +112,12 @@ if test "x$want_boost" = "xyes"; then ;; esac + dnl some arches may advertise a cpu type that doesn't line up with their + dnl prefix's cpu type. For example, uname may report armv7l while libs are + dnl installed to /usr/lib/arm-linux-gnueabihf. Try getting the compiler's + dnl value for an extra chance of finding the correct path. + libsubdirs="lib/`$CXX -dumpmachine 2>/dev/null` $libsubdirs" + dnl first we check the system location for boost libraries dnl this location ist chosen if boost libraries are installed with the --layout=system option dnl or if you install boost with RPM diff --git a/src/m4/bitcoin_qt.m4 b/src/m4/bitcoin_qt.m4 index e71ecd7172d..20fead2c1ec 100644 --- a/src/m4/bitcoin_qt.m4 +++ b/src/m4/bitcoin_qt.m4 @@ -94,6 +94,12 @@ AC_DEFUN([BITCOIN_QT_CONFIGURE],[ BITCOIN_QT_CHECK([_BITCOIN_QT_FIND_LIBS_WITHOUT_PKGCONFIG]) fi + if test x$use_pkgconfig$qt_bin_path = xyes; then + if test x$bitcoin_qt_got_major_vers = x5; then + qt_bin_path="`$PKG_CONFIG --variable=host_bins Qt5Core 2>/dev/null`" + fi + fi + BITCOIN_QT_PATH_PROGS([MOC], [moc-qt${bitcoin_qt_got_major_vers} moc${bitcoin_qt_got_major_vers} moc], $qt_bin_path) BITCOIN_QT_PATH_PROGS([UIC], [uic-qt${bitcoin_qt_got_major_vers} uic${bitcoin_qt_got_major_vers} uic], $qt_bin_path) BITCOIN_QT_PATH_PROGS([RCC], [rcc-qt${bitcoin_qt_got_major_vers} rcc${bitcoin_qt_got_major_vers} rcc], $qt_bin_path) diff --git a/src/main.cpp b/src/main.cpp index 7b9ca2878cf..a42bb8a6b0e 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -54,8 +54,6 @@ int64_t CTransaction::nMinTxFee = 10000; // Override with -mintxfee /** Fees smaller than this (in satoshi) are considered zero fee (for relaying and mining) */ int64_t CTransaction::nMinRelayTxFee = 1000; -static CMedianFilter cPeerBlockCounts(8, 0); // Amount of blocks that other nodes claim to have - struct COrphanBlock { uint256 hashBlock; uint256 hashPrev; @@ -64,8 +62,13 @@ struct COrphanBlock { map mapOrphanBlocks; multimap mapOrphanBlocksByPrev; -map mapOrphanTransactions; +struct COrphanTx { + CTransaction tx; + NodeId fromPeer; +}; +map mapOrphanTransactions; map > mapOrphanTransactionsByPrev; +void EraseOrphansFor(NodeId peer); // Constant stuff for coinbase transactions we create: CScript COINBASE_FLAGS; @@ -253,6 +256,7 @@ void FinalizeNode(NodeId nodeid) { mapBlocksInFlight.erase(entry.hash); BOOST_FOREACH(const uint256& hash, state->vBlocksToDownload) mapBlocksToDownload.erase(hash); + EraseOrphansFor(nodeid); mapNodeState.erase(nodeid); } @@ -408,7 +412,7 @@ CBlockTreeDB *pblocktree = NULL; // mapOrphanTransactions // -bool AddOrphanTx(const CTransaction& tx) +bool AddOrphanTx(const CTransaction& tx, NodeId peer) { uint256 hash = tx.GetHash(); if (mapOrphanTransactions.count(hash)) @@ -428,29 +432,50 @@ bool AddOrphanTx(const CTransaction& tx) return false; } - mapOrphanTransactions[hash] = tx; + mapOrphanTransactions[hash].tx = tx; + mapOrphanTransactions[hash].fromPeer = peer; BOOST_FOREACH(const CTxIn& txin, tx.vin) mapOrphanTransactionsByPrev[txin.prevout.hash].insert(hash); - LogPrint("mempool", "stored orphan tx %s (mapsz %"PRIszu")\n", hash.ToString(), - mapOrphanTransactions.size()); + LogPrint("mempool", "stored orphan tx %s (mapsz %u prevsz %u)\n", hash.ToString(), + mapOrphanTransactions.size(), mapOrphanTransactionsByPrev.size()); return true; } void static EraseOrphanTx(uint256 hash) { - if (!mapOrphanTransactions.count(hash)) + map::iterator it = mapOrphanTransactions.find(hash); + if (it == mapOrphanTransactions.end()) return; - const CTransaction& tx = mapOrphanTransactions[hash]; - BOOST_FOREACH(const CTxIn& txin, tx.vin) + BOOST_FOREACH(const CTxIn& txin, it->second.tx.vin) + { + map >::iterator itPrev = mapOrphanTransactionsByPrev.find(txin.prevout.hash); + if (itPrev == mapOrphanTransactionsByPrev.end()) + continue; + itPrev->second.erase(hash); + if (itPrev->second.empty()) + mapOrphanTransactionsByPrev.erase(itPrev); + } + mapOrphanTransactions.erase(it); +} + +void EraseOrphansFor(NodeId peer) +{ + int nErased = 0; + map::iterator iter = mapOrphanTransactions.begin(); + while (iter != mapOrphanTransactions.end()) { - mapOrphanTransactionsByPrev[txin.prevout.hash].erase(hash); - if (mapOrphanTransactionsByPrev[txin.prevout.hash].empty()) - mapOrphanTransactionsByPrev.erase(txin.prevout.hash); + map::iterator maybeErase = iter++; // increment to avoid iterator becoming invalid + if (maybeErase->second.fromPeer == peer) + { + EraseOrphanTx(maybeErase->second.tx.GetHash()); + ++nErased; + } } - mapOrphanTransactions.erase(hash); + if (nErased > 0) LogPrint("mempool", "Erased %d orphan tx from peer %d\n", nErased, peer); } + unsigned int LimitOrphanTxSize(unsigned int nMaxOrphans) { unsigned int nEvicted = 0; @@ -458,7 +483,7 @@ unsigned int LimitOrphanTxSize(unsigned int nMaxOrphans) { // Evict a random orphan: uint256 randomhash = GetRandHash(); - map::iterator it = mapOrphanTransactions.lower_bound(randomhash); + map::iterator it = mapOrphanTransactions.lower_bound(randomhash); if (it == mapOrphanTransactions.end()) it = mapOrphanTransactions.begin(); EraseOrphanTx(it->first); @@ -515,10 +540,14 @@ bool IsStandardTx(const CTransaction& tx, string& reason) BOOST_FOREACH(const CTxIn& txin, tx.vin) { - // Biggest 'standard' txin is a 3-signature 3-of-3 CHECKMULTISIG - // pay-to-script-hash, which is 3 ~80-byte signatures, 3 - // ~65-byte public keys, plus a few script ops. - if (txin.scriptSig.size() > 500) { + // Biggest 'standard' txin is a 15-of-15 P2SH multisig with compressed + // keys. (remember the 520 byte limit on redeemScript size) That works + // out to a (15*(33+1))+3=513 byte redeemScript, 513+1+15*(73+1)=1624 + // bytes of scriptSig, which we round off to 1650 bytes for some minor + // future-proofing. That's also enough to spend a 20-of-20 + // CHECKMULTISIG scriptPubKey, though such a scriptPubKey is not + // considered standard) + if (txin.scriptSig.size() > 1650) { reason = "scriptsig-size"; return false; } @@ -945,7 +974,7 @@ bool AcceptToMemoryPool(CTxMemPool& pool, CValidationState &state, const CTransa // Check against previous transactions // This is done last to help prevent CPU exhaustion denial-of-service attacks. - if (!CheckInputs(tx, state, view, true, SCRIPT_VERIFY_P2SH | SCRIPT_VERIFY_STRICTENC)) + if (!CheckInputs(tx, state, view, true, SCRIPT_VERIFY_P2SH | SCRIPT_VERIFY_STRICTENC | SCRIPT_VERIFY_DERSIG)) { return error("AcceptToMemoryPool: : ConnectInputs failed %s", hash.ToString()); } @@ -1158,7 +1187,7 @@ uint256 static GetOrphanRoot(const uint256& hash) // Remove a random orphan block (which does not have any dependent orphans). void static PruneOrphanBlocks() { - if (mapOrphanBlocksByPrev.size() <= MAX_ORPHAN_BLOCKS) + if (mapOrphanBlocksByPrev.size() <= (size_t)std::max((int64_t)0, GetArg("-maxorphanblocks", DEFAULT_MAX_ORPHAN_BLOCKS))) return; // Pick a random orphan block. @@ -1303,12 +1332,6 @@ bool CheckProofOfWork(uint256 hash, unsigned int nBits) return true; } -// Return maximum amount of blocks that other nodes claim to have -int GetNumBlocksOfPeers() -{ - return std::max(cPeerBlockCounts.median(), Checkpoints::GetTotalBlocksEstimate()); -} - bool IsInitialBlockDownload() { LOCK(cs_main); @@ -1344,18 +1367,13 @@ void CheckForkWarningConditions() if (pindexBestForkTip || (pindexBestInvalid && pindexBestInvalid->nChainWork > chainActive.Tip()->nChainWork + (chainActive.Tip()->GetBlockWork() * 6).getuint256())) { - if (!fLargeWorkForkFound) + if (!fLargeWorkForkFound && pindexBestForkBase) { - std::string strCmd = GetArg("-alertnotify", ""); - if (!strCmd.empty()) - { - std::string warning = std::string("'Warning: Large-work fork detected, forking after block ") + - pindexBestForkBase->phashBlock->ToString() + std::string("'"); - boost::replace_all(strCmd, "%s", warning); - boost::thread t(runCommand, strCmd); // thread runs free - } + std::string warning = std::string("'Warning: Large-work fork detected, forking after block ") + + pindexBestForkBase->phashBlock->ToString() + std::string("'"); + CAlert::Notify(warning, true); } - if (pindexBestForkTip) + if (pindexBestForkTip && pindexBestForkBase) { LogPrintf("CheckForkWarningConditions: Warning: Large valid fork found\n forking the chain at height %d (%s)\n lasting to height %d (%s).\nChain state database corruption likely.\n", pindexBestForkBase->nHeight, pindexBestForkBase->phashBlock->ToString(), @@ -1777,6 +1795,12 @@ bool ConnectBlock(CBlock& block, CValidationState& state, CBlockIndex* pindex, C unsigned int flags = SCRIPT_VERIFY_NOCACHE | (fStrictPayToScriptHash ? SCRIPT_VERIFY_P2SH : SCRIPT_VERIFY_NONE); + if (block.nVersion >= 3 && + ((!TestNet() && CBlockIndex::IsSuperMajority(3, pindex->pprev, 750, 1000)) || + (TestNet() && CBlockIndex::IsSuperMajority(3, pindex->pprev, 51, 100)))) { + flags |= SCRIPT_VERIFY_DERSIG; + } + CBlockUndo blockundo; CCheckQueueControl control(fScriptChecks && nScriptCheckThreads ? &scriptcheckqueue : NULL); @@ -2409,6 +2433,16 @@ bool AcceptBlock(CBlock& block, CValidationState& state, CDiskBlockPos* dbp) REJECT_OBSOLETE, "bad-version"); } } + // Reject block.nVersion=2 blocks when 95% (75% on testnet) of the network has upgraded: + if (block.nVersion < 3) + { + if ((!TestNet() && CBlockIndex::IsSuperMajority(3, pindexPrev, 950, 1000)) || + (TestNet() && CBlockIndex::IsSuperMajority(3, pindexPrev, 75, 100))) + { + return state.Invalid(error("AcceptBlock() : rejected nVersion=2 block"), + REJECT_OBSOLETE, "bad-version"); + } + } // Enforce block.nVersion=2 rule that the coinbase starts with serialized block height if (block.nVersion >= 2) { @@ -3045,7 +3079,7 @@ void PrintBlockTree() // print item CBlock block; ReadBlockFromDisk(block, pindex); - LogPrintf("%d (blk%05u.dat:0x%x) %s tx %"PRIszu"\n", + LogPrintf("%d (blk%05u.dat:0x%x) %s tx %u\n", pindex->nHeight, pindex->GetBlockPos().nFile, pindex->GetBlockPos().nPos, DateTimeStrFormat("%Y-%m-%d %H:%M:%S", block.GetBlockTime()), @@ -3372,14 +3406,17 @@ void static ProcessGetData(CNode* pfrom) bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) { RandAddSeedPerfmon(); - LogPrint("net", "received: %s (%"PRIszu" bytes)\n", strCommand, vRecv.size()); + LogPrint("net", "received: %s (%u bytes)\n", SanitizeString(strCommand), vRecv.size()); if (mapArgs.count("-dropmessagestest") && GetRand(atoi(mapArgs["-dropmessagestest"])) == 0) { LogPrintf("dropmessagestest DROPPING RECV MESSAGE\n"); return true; } - State(pfrom->GetId())->nLastBlockProcess = GetTimeMicros(); + { + LOCK(cs_main); + State(pfrom->GetId())->nLastBlockProcess = GetTimeMicros(); + } @@ -3413,7 +3450,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) if (!vRecv.empty()) vRecv >> addrFrom >> nNonce; if (!vRecv.empty()) { - vRecv >> pfrom->strSubVer; + vRecv >> LIMITED_STRING(pfrom->strSubVer, 256); pfrom->cleanSubVer = SanitizeString(pfrom->strSubVer); } if (!vRecv.empty()) @@ -3485,9 +3522,6 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) LogPrintf("receive version message: %s: version %d, blocks=%d, us=%s, them=%s, peer=%s\n", pfrom->cleanSubVer, pfrom->nVersion, pfrom->nStartingHeight, addrMe.ToString(), addrFrom.ToString(), pfrom->addr.ToString()); AddTimeData(pfrom->addr, nTime); - - LOCK(cs_main); - cPeerBlockCounts.input(pfrom->nStartingHeight); } @@ -3516,7 +3550,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) if (vAddr.size() > 1000) { Misbehaving(pfrom->GetId(), 20); - return error("message addr size() = %"PRIszu"", vAddr.size()); + return error("message addr size() = %u", vAddr.size()); } // Store the new addresses @@ -3579,7 +3613,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) if (vInv.size() > MAX_INV_SZ) { Misbehaving(pfrom->GetId(), 20); - return error("message inv size() = %"PRIszu"", vInv.size()); + return error("message inv size() = %u", vInv.size()); } LOCK(cs_main); @@ -3607,6 +3641,11 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) // Track requests for our stuff g_signals.Inventory(inv.hash); + + if (pfrom->nSendSize > (SendBufferSize() * 2)) { + Misbehaving(pfrom->GetId(), 50); + return error("send buffer size() = %u", pfrom->nSendSize); + } } } @@ -3618,11 +3657,11 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) if (vInv.size() > MAX_INV_SZ) { Misbehaving(pfrom->GetId(), 20); - return error("message getdata size() = %"PRIszu"", vInv.size()); + return error("message getdata size() = %u", vInv.size()); } if (fDebug || (vInv.size() != 1)) - LogPrint("net", "received getdata (%"PRIszu" invsz)\n", vInv.size()); + LogPrint("net", "received getdata (%u invsz)\n", vInv.size()); if ((fDebug && vInv.size() > 0) || (vInv.size() == 1)) LogPrint("net", "received getdata for: %s\n", vInv[0].ToString()); @@ -3730,39 +3769,53 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) vEraseQueue.push_back(inv.hash); - LogPrint("mempool", "AcceptToMemoryPool: %s %s : accepted %s (poolsz %"PRIszu")\n", + LogPrint("mempool", "AcceptToMemoryPool: %s %s : accepted %s (poolsz %u)\n", pfrom->addr.ToString(), pfrom->cleanSubVer, tx.GetHash().ToString(), mempool.mapTx.size()); // Recursively process any orphan transactions that depended on this one + set setMisbehaving; for (unsigned int i = 0; i < vWorkQueue.size(); i++) { - uint256 hashPrev = vWorkQueue[i]; - for (set::iterator mi = mapOrphanTransactionsByPrev[hashPrev].begin(); - mi != mapOrphanTransactionsByPrev[hashPrev].end(); + map >::iterator itByPrev = mapOrphanTransactionsByPrev.find(vWorkQueue[i]); + if (itByPrev == mapOrphanTransactionsByPrev.end()) + continue; + for (set::iterator mi = itByPrev->second.begin(); + mi != itByPrev->second.end(); ++mi) { const uint256& orphanHash = *mi; - const CTransaction& orphanTx = mapOrphanTransactions[orphanHash]; + const CTransaction& orphanTx = mapOrphanTransactions[orphanHash].tx; + NodeId fromPeer = mapOrphanTransactions[orphanHash].fromPeer; bool fMissingInputs2 = false; // Use a dummy CValidationState so someone can't setup nodes to counter-DoS based on orphan // resolution (that is, feeding people an invalid transaction based on LegitTxX in order to get // anyone relaying LegitTxX banned) CValidationState stateDummy; + vEraseQueue.push_back(orphanHash); + + if (setMisbehaving.count(fromPeer)) + continue; if (AcceptToMemoryPool(mempool, stateDummy, orphanTx, true, &fMissingInputs2)) { LogPrint("mempool", " accepted orphan tx %s\n", orphanHash.ToString()); RelayTransaction(orphanTx, orphanHash); mapAlreadyAskedFor.erase(CInv(MSG_TX, orphanHash)); vWorkQueue.push_back(orphanHash); - vEraseQueue.push_back(orphanHash); } else if (!fMissingInputs2) { - // invalid or too-little-fee orphan - vEraseQueue.push_back(orphanHash); + int nDos = 0; + if (stateDummy.IsInvalid(nDos) && nDos > 0) + { + // Punish peer that gave us an invalid orphan tx + Misbehaving(fromPeer, nDos); + setMisbehaving.insert(fromPeer); + LogPrint("mempool", " invalid orphan tx %s\n", orphanHash.ToString()); + } + // too-little-fee orphan LogPrint("mempool", " removed orphan tx %s\n", orphanHash.ToString()); } mempool.check(pcoinsTip); @@ -3774,10 +3827,11 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) } else if (fMissingInputs) { - AddOrphanTx(tx); + AddOrphanTx(tx, pfrom->GetId()); // DoS prevention: do not allow mapOrphanTransactions to grow unbounded - unsigned int nEvicted = LimitOrphanTxSize(MAX_ORPHAN_TRANSACTIONS); + unsigned int nMaxOrphanTx = (unsigned int)std::max((int64_t)0, GetArg("-maxorphantx", DEFAULT_MAX_ORPHAN_TRANSACTIONS)); + unsigned int nEvicted = LimitOrphanTxSize(nMaxOrphanTx); if (nEvicted > 0) LogPrint("mempool", "mapOrphan overflow, removed %u tx\n", nEvicted); } @@ -3915,7 +3969,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) } if (!(sProblem.empty())) { - LogPrint("net", "pong %s %s: %s, %x expected, %x received, %"PRIszu" bytes\n", + LogPrint("net", "pong %s %s: %s, %x expected, %x received, %u bytes\n", pfrom->addr.ToString(), pfrom->cleanSubVer, sProblem, @@ -4013,7 +4067,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) if (fDebug) { string strMsg; unsigned char ccode; string strReason; - vRecv >> strMsg >> ccode >> strReason; + vRecv >> LIMITED_STRING(strMsg, CMessageHeader::COMMAND_SIZE) >> ccode >> LIMITED_STRING(strReason, 111); ostringstream ss; ss << strMsg << " code " << itostr(ccode) << ": " << strReason; @@ -4024,10 +4078,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) vRecv >> hash; ss << ": hash " << hash.ToString(); } - // Truncate to reasonable length and sanitize before printing: - string s = ss.str(); - if (s.size() > 111) s.erase(111, string::npos); - LogPrint("net", "Reject %s\n", SanitizeString(s)); + LogPrint("net", "Reject %s\n", SanitizeString(ss.str())); } } @@ -4050,7 +4101,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv) bool ProcessMessages(CNode* pfrom) { //if (fDebug) - // LogPrintf("ProcessMessages(%"PRIszu" messages)\n", pfrom->vRecvMsg.size()); + // LogPrintf("ProcessMessages(%u messages)\n", pfrom->vRecvMsg.size()); // // Message format @@ -4078,7 +4129,7 @@ bool ProcessMessages(CNode* pfrom) CNetMessage& msg = *it; //if (fDebug) - // LogPrintf("ProcessMessages(message %u msgsz, %"PRIszu" bytes, complete:%s)\n", + // LogPrintf("ProcessMessages(message %u msgsz, %u bytes, complete:%s)\n", // msg.hdr.nMessageSize, msg.vRecv.size(), // msg.complete() ? "Y" : "N"); @@ -4091,7 +4142,7 @@ bool ProcessMessages(CNode* pfrom) // Scan for message start if (memcmp(msg.hdr.pchMessageStart, Params().MessageStart(), MESSAGE_START_SIZE) != 0) { - LogPrintf("\n\nPROCESSMESSAGE: INVALID MESSAGESTART\n\n"); + LogPrintf("PROCESSMESSAGE: INVALID MESSAGESTART %s\n", SanitizeString(msg.hdr.GetCommand())); fOk = false; break; } @@ -4100,7 +4151,7 @@ bool ProcessMessages(CNode* pfrom) CMessageHeader& hdr = msg.hdr; if (!hdr.IsValid()) { - LogPrintf("\n\nPROCESSMESSAGE: ERRORS IN HEADER %s\n\n\n", hdr.GetCommand()); + LogPrintf("PROCESSMESSAGE: ERRORS IN HEADER %s\n", SanitizeString(hdr.GetCommand())); continue; } string strCommand = hdr.GetCommand(); @@ -4115,8 +4166,8 @@ bool ProcessMessages(CNode* pfrom) memcpy(&nChecksum, &hash, sizeof(nChecksum)); if (nChecksum != hdr.nChecksum) { - LogPrintf("ProcessMessages(%s, %u bytes) : CHECKSUM ERROR nChecksum=%08x hdr.nChecksum=%08x\n", - strCommand, nMessageSize, nChecksum, hdr.nChecksum); + LogPrintf("ProcessMessages(%s, %u bytes): CHECKSUM ERROR nChecksum=%08x hdr.nChecksum=%08x\n", + SanitizeString(strCommand), nMessageSize, nChecksum, hdr.nChecksum); continue; } @@ -4133,12 +4184,12 @@ bool ProcessMessages(CNode* pfrom) if (strstr(e.what(), "end of data")) { // Allow exceptions from under-length message on vRecv - LogPrintf("ProcessMessages(%s, %u bytes) : Exception '%s' caught, normally caused by a message being shorter than its stated length\n", strCommand, nMessageSize, e.what()); + LogPrintf("ProcessMessages(%s, %u bytes): Exception '%s' caught, normally caused by a message being shorter than its stated length\n", SanitizeString(strCommand), nMessageSize, e.what()); } else if (strstr(e.what(), "size too large")) { // Allow exceptions from over-long size - LogPrintf("ProcessMessages(%s, %u bytes) : Exception '%s' caught\n", strCommand, nMessageSize, e.what()); + LogPrintf("ProcessMessages(%s, %u bytes): Exception '%s' caught\n", SanitizeString(strCommand), nMessageSize, e.what()); } else { @@ -4155,7 +4206,7 @@ bool ProcessMessages(CNode* pfrom) } if (!fRet) - LogPrintf("ProcessMessage(%s, %u bytes) FAILED\n", strCommand, nMessageSize); + LogPrintf("ProcessMessage(%s, %u bytes) FAILED\n", SanitizeString(strCommand), nMessageSize); break; } @@ -4415,5 +4466,6 @@ class CMainCleanup // orphan transactions mapOrphanTransactions.clear(); + mapOrphanTransactionsByPrev.clear(); } } instance_of_cmaincleanup; diff --git a/src/main.h b/src/main.h index 825e577d1e3..dc50dffcc2b 100644 --- a/src/main.h +++ b/src/main.h @@ -44,10 +44,10 @@ static const unsigned int DEFAULT_BLOCK_PRIORITY_SIZE = 50000; static const unsigned int MAX_STANDARD_TX_SIZE = 100000; /** The maximum allowed number of signature check operations in a block (network rule) */ static const unsigned int MAX_BLOCK_SIGOPS = MAX_BLOCK_SIZE/50; -/** The maximum number of orphan transactions kept in memory */ -static const unsigned int MAX_ORPHAN_TRANSACTIONS = MAX_BLOCK_SIZE/100; -/** The maximum number of orphan blocks kept in memory */ -static const unsigned int MAX_ORPHAN_BLOCKS = 750; +/** Default for -maxorphantx, maximum number of orphan transactions kept in memory */ +static const unsigned int DEFAULT_MAX_ORPHAN_TRANSACTIONS = 100; +/** Default for -maxorphanblocks, maximum number of orphan blocks kept in memory */ +static const unsigned int DEFAULT_MAX_ORPHAN_BLOCKS = 750; /** The maximum size of a blk?????.dat file (since 0.8) */ static const unsigned int MAX_BLOCKFILE_SIZE = 0x8000000; // 128 MiB /** The pre-allocation chunk size for blk?????.dat files (since 0.8) */ @@ -160,8 +160,6 @@ void ThreadScriptCheck(); bool CheckProofOfWork(uint256 hash, unsigned int nBits); /** Calculate the minimum amount of work a received block needs, without knowing its direct parent */ unsigned int ComputeMinWork(unsigned int nBase, int64_t nTime); -/** Get the number of active peers */ -int GetNumBlocksOfPeers(); /** Check whether we are doing an initial block download (synchronizing from disk or network) */ bool IsInitialBlockDownload(); /** Format a string that describes several potential problems detected by the core */ diff --git a/src/miner.cpp b/src/miner.cpp index 3351908e657..e8abb8c614a 100644 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -355,7 +355,7 @@ void IncrementExtraNonce(CBlock* pblock, CBlockIndex* pindexPrev, unsigned int& } ++nExtraNonce; unsigned int nHeight = pindexPrev->nHeight+1; // Height first in coinbase required for block.version=2 - pblock->vtx[0].vin[0].scriptSig = (CScript() << nHeight << CBigNum(nExtraNonce)) + COINBASE_FLAGS; + pblock->vtx[0].vin[0].scriptSig = (CScript() << nHeight << CScriptNum(nExtraNonce)) + COINBASE_FLAGS; assert(pblock->vtx[0].vin[0].scriptSig.size() <= 100); pblock->hashMerkleRoot = pblock->BuildMerkleTree(); @@ -528,7 +528,7 @@ void static BitcoinMiner(CWallet *pwallet) CBlock *pblock = &pblocktemplate->block; IncrementExtraNonce(pblock, pindexPrev, nExtraNonce); - LogPrintf("Running BitcoinMiner with %"PRIszu" transactions in block (%u bytes)\n", pblock->vtx.size(), + LogPrintf("Running BitcoinMiner with %u transactions in block (%u bytes)\n", pblock->vtx.size(), ::GetSerializeSize(*pblock, SER_NETWORK, PROTOCOL_VERSION)); // diff --git a/src/mruset.h b/src/mruset.h index c36a0c8f379..c1c08b02888 100644 --- a/src/mruset.h +++ b/src/mruset.h @@ -32,6 +32,7 @@ template class mruset bool empty() const { return set.empty(); } iterator find(const key_type& k) const { return set.find(k); } size_type count(const key_type& k) const { return set.count(k); } + void clear() { set.clear(); queue.clear(); } bool inline friend operator==(const mruset& a, const mruset& b) { return a.set == b.set; } bool inline friend operator==(const mruset& a, const std::set& b) { return a.set == b; } bool inline friend operator<(const mruset& a, const mruset& b) { return a.set < b.set; } diff --git a/src/net.cpp b/src/net.cpp index 6bde1e79993..3db2ecd699a 100644 --- a/src/net.cpp +++ b/src/net.cpp @@ -178,7 +178,7 @@ bool RecvLine(SOCKET hSocket, string& strLine) { // socket error int nErr = WSAGetLastError(); - LogPrint("net", "recv failed: %d\n", nErr); + LogPrint("net", "recv failed: %s\n", NetworkErrorString(nErr)); return false; } } @@ -350,7 +350,7 @@ bool GetMyExternalIP(CNetAddr& ipRet) const char* pszKeyword; for (int nLookup = 0; nLookup <= 1; nLookup++) - for (int nHost = 1; nHost <= 2; nHost++) + for (int nHost = 1; nHost <= 1; nHost++) { // We should be phasing out our use of sites like these. If we need // replacements, we should ask for volunteers to put this simple @@ -375,25 +375,6 @@ bool GetMyExternalIP(CNetAddr& ipRet) pszKeyword = "Address:"; } - else if (nHost == 2) - { - addrConnect = CService("74.208.43.192", 80); // www.showmyip.com - - if (nLookup == 1) - { - CService addrIP("www.showmyip.com", 80, true); - if (addrIP.IsValid()) - addrConnect = addrIP; - } - - pszGet = "GET /simple/ HTTP/1.1\r\n" - "Host: www.showmyip.com\r\n" - "User-Agent: Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1)\r\n" - "Connection: close\r\n" - "\r\n"; - - pszKeyword = NULL; // Returns just IP address - } if (GetMyExternalIP2(addrConnect, pszGet, pszKeyword, ipRet)) return true; @@ -489,10 +470,10 @@ CNode* ConnectNode(CAddress addrConnect, const char *pszDest) #ifdef WIN32 u_long nOne = 1; if (ioctlsocket(hSocket, FIONBIO, &nOne) == SOCKET_ERROR) - LogPrintf("ConnectSocket() : ioctlsocket non-blocking setting failed, error %d\n", WSAGetLastError()); + LogPrintf("ConnectSocket() : ioctlsocket non-blocking setting failed, error %s\n", NetworkErrorString(WSAGetLastError())); #else if (fcntl(hSocket, F_SETFL, O_NONBLOCK) == SOCKET_ERROR) - LogPrintf("ConnectSocket() : fcntl non-blocking setting failed, error %d\n", errno); + LogPrintf("ConnectSocket() : fcntl non-blocking setting failed, error %s\n", NetworkErrorString(errno)); #endif // Add node @@ -736,7 +717,7 @@ void SocketSendData(CNode *pnode) int nErr = WSAGetLastError(); if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS) { - LogPrintf("socket send error %d\n", nErr); + LogPrintf("socket send error %s\n", NetworkErrorString(nErr)); pnode->CloseSocketDisconnect(); } } @@ -896,7 +877,7 @@ void ThreadSocketHandler() if (have_fds) { int nErr = WSAGetLastError(); - LogPrintf("socket select error %d\n", nErr); + LogPrintf("socket select error %s\n", NetworkErrorString(nErr)); for (unsigned int i = 0; i <= hSocketMax; i++) FD_SET(i, &fdsetRecv); } @@ -933,7 +914,7 @@ void ThreadSocketHandler() { int nErr = WSAGetLastError(); if (nErr != WSAEWOULDBLOCK) - LogPrintf("socket error accept failed: %d\n", nErr); + LogPrintf("socket error accept failed: %s\n", NetworkErrorString(nErr)); } else if (nInbound >= nMaxConnections - MAX_OUTBOUND_CONNECTIONS) { @@ -1007,7 +988,7 @@ void ThreadSocketHandler() if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS) { if (!pnode->fDisconnect) - LogPrintf("socket recv error %d\n", nErr); + LogPrintf("socket recv error %s\n", NetworkErrorString(nErr)); pnode->CloseSocketDisconnect(); } } @@ -1056,8 +1037,6 @@ void ThreadSocketHandler() BOOST_FOREACH(CNode* pnode, vNodesCopy) pnode->Release(); } - - MilliSleep(10); } } @@ -1185,6 +1164,18 @@ void MapPort(bool) void ThreadDNSAddressSeed() { + // goal: only query DNS seeds if address need is acute + if ((addrman.size() > 0) && + (!GetBoolArg("-forcednsseed", false))) { + MilliSleep(11 * 1000); + + LOCK(cs_vNodes); + if (vNodes.size() >= 2) { + LogPrintf("P2P peers available. Skipped DNS seeding.\n"); + return; + } + } + const vector &vSeeds = Params().DNSSeeds(); int found = 0; @@ -1458,13 +1449,13 @@ bool OpenNetworkConnection(const CAddress& addrConnect, CSemaphoreGrant *grantOu // for now, use a very simple selection metric: the node from which we received // most recently -double static NodeSyncScore(const CNode *pnode) { - return -pnode->nLastRecv; +static int64_t NodeSyncScore(const CNode *pnode) { + return pnode->nLastRecv; } void static StartSync(const vector &vNodes) { CNode *pnodeNewSync = NULL; - double dBestScore = 0; + int64_t nBestScore = 0; int nBestHeight = g_signals.GetHeight().get_value_or(0); @@ -1476,10 +1467,10 @@ void static StartSync(const vector &vNodes) { (pnode->nStartingHeight > (nBestHeight - 144)) && (pnode->nVersion < NOBLKS_VERSION_START || pnode->nVersion >= NOBLKS_VERSION_END)) { // if ok, compare node's score with the best so far - double dScore = NodeSyncScore(pnode); - if (pnodeNewSync == NULL || dScore > dBestScore) { + int64_t nScore = NodeSyncScore(pnode); + if (pnodeNewSync == NULL || nScore > nBestScore) { pnodeNewSync = pnode; - dBestScore = dScore; + nBestScore = nScore; } } } @@ -1585,7 +1576,7 @@ bool BindListenPort(const CService &addrBind, string& strError) SOCKET hListenSocket = socket(((struct sockaddr*)&sockaddr)->sa_family, SOCK_STREAM, IPPROTO_TCP); if (hListenSocket == INVALID_SOCKET) { - strError = strprintf("Error: Couldn't open socket for incoming connections (socket returned error %d)", WSAGetLastError()); + strError = strprintf("Error: Couldn't open socket for incoming connections (socket returned error %s)", NetworkErrorString(WSAGetLastError())); LogPrintf("%s\n", strError); return false; } @@ -1609,7 +1600,7 @@ bool BindListenPort(const CService &addrBind, string& strError) if (fcntl(hListenSocket, F_SETFL, O_NONBLOCK) == SOCKET_ERROR) #endif { - strError = strprintf("Error: Couldn't set properties on socket for incoming connections (error %d)", WSAGetLastError()); + strError = strprintf("Error: Couldn't set properties on socket for incoming connections (error %s)", NetworkErrorString(WSAGetLastError())); LogPrintf("%s\n", strError); return false; } @@ -1638,7 +1629,7 @@ bool BindListenPort(const CService &addrBind, string& strError) if (nErr == WSAEADDRINUSE) strError = strprintf(_("Unable to bind to %s on this computer. Bitcoin Core is probably already running."), addrBind.ToString()); else - strError = strprintf(_("Unable to bind to %s on this computer (bind returned error %d, %s)"), addrBind.ToString(), nErr, strerror(nErr)); + strError = strprintf(_("Unable to bind to %s on this computer (bind returned error %s)"), addrBind.ToString(), NetworkErrorString(nErr)); LogPrintf("%s\n", strError); return false; } @@ -1647,7 +1638,7 @@ bool BindListenPort(const CService &addrBind, string& strError) // Listen for incoming connections if (listen(hListenSocket, SOMAXCONN) == SOCKET_ERROR) { - strError = strprintf(_("Error: Listening for incoming connections failed (listen returned error %d)"), WSAGetLastError()); + strError = strprintf(_("Error: Listening for incoming connections failed (listen returned error %s)"), NetworkErrorString(WSAGetLastError())); LogPrintf("%s\n", strError); return false; } @@ -1785,7 +1776,7 @@ class CNetCleanup BOOST_FOREACH(SOCKET hListenSocket, vhListenSocket) if (hListenSocket != INVALID_SOCKET) if (closesocket(hListenSocket) == SOCKET_ERROR) - LogPrintf("closesocket(hListenSocket) failed with error %d\n", WSAGetLastError()); + LogPrintf("closesocket(hListenSocket) failed with error %s\n", NetworkErrorString(WSAGetLastError())); // clean up some globals (to help leak detection) BOOST_FOREACH(CNode *pnode, vNodes) diff --git a/src/net.h b/src/net.h index 729b1bcd574..303b67329e9 100644 --- a/src/net.h +++ b/src/net.h @@ -38,6 +38,10 @@ namespace boost { /** The maximum number of entries in an 'inv' protocol message */ static const unsigned int MAX_INV_SZ = 50000; +/** The maximum number of entries in mapAskFor */ +static const size_t MAPASKFOR_MAX_SZ = MAX_INV_SZ; +/** The maximum number of new addresses to accumulate before announcing. */ +static const unsigned int MAX_ADDR_TO_SEND = 1000; inline unsigned int ReceiveFloodSize() { return 1000*GetArg("-maxreceivebuffer", 5*1000); } inline unsigned int SendBufferSize() { return 1000*GetArg("-maxsendbuffer", 1*1000); } @@ -255,7 +259,7 @@ class CNode // flood relay std::vector vAddrToSend; - std::set setAddrKnown; + mruset setAddrKnown; bool fGetAddr; std::set setKnown; @@ -271,7 +275,7 @@ class CNode int64_t nPingUsecTime; bool fPingQueued; - CNode(SOCKET hSocketIn, CAddress addrIn, std::string addrNameIn = "", bool fInboundIn=false) : ssSend(SER_NETWORK, INIT_PROTO_VERSION) + CNode(SOCKET hSocketIn, CAddress addrIn, std::string addrNameIn = "", bool fInboundIn=false) : ssSend(SER_NETWORK, INIT_PROTO_VERSION), setAddrKnown(5000) { nServices = 0; hSocket = hSocketIn; @@ -398,8 +402,13 @@ class CNode // Known checking here is only to save space from duplicates. // SendMessages will filter it again for knowns that were added // after addresses were pushed. - if (addr.IsValid() && !setAddrKnown.count(addr)) - vAddrToSend.push_back(addr); + if (addr.IsValid() && !setAddrKnown.count(addr)) { + if (vAddrToSend.size() >= MAX_ADDR_TO_SEND) { + vAddrToSend[insecure_rand() % vAddrToSend.size()] = addr; + } else { + vAddrToSend.push_back(addr); + } + } } @@ -422,6 +431,9 @@ class CNode void AskFor(const CInv& inv) { + if (mapAskFor.size() > MAPASKFOR_MAX_SZ) + return; + // We're using mapAskFor as a priority queue, // the key is the earliest time the request can be sent int64_t nRequestTime; @@ -456,7 +468,7 @@ class CNode ENTER_CRITICAL_SECTION(cs_vSend); assert(ssSend.size() == 0); ssSend << CMessageHeader(pszCommand, 0); - LogPrint("net", "sending: %s ", pszCommand); + LogPrint("net", "sending: %s ", SanitizeString(pszCommand)); } // TODO: Document the precondition of this function. Is cs_vSend locked? diff --git a/src/netbase.cpp b/src/netbase.cpp index ec275f738ce..eb6859e28c6 100644 --- a/src/netbase.cpp +++ b/src/netbase.cpp @@ -363,7 +363,7 @@ bool static ConnectSocketDirectly(const CService &addrConnect, SOCKET& hSocketRe } if (nRet == SOCKET_ERROR) { - LogPrintf("select() for %s failed: %i\n", addrConnect.ToString(), WSAGetLastError()); + LogPrintf("select() for %s failed: %s\n", addrConnect.ToString(), NetworkErrorString(WSAGetLastError())); closesocket(hSocket); return false; } @@ -374,13 +374,13 @@ bool static ConnectSocketDirectly(const CService &addrConnect, SOCKET& hSocketRe if (getsockopt(hSocket, SOL_SOCKET, SO_ERROR, &nRet, &nRetSize) == SOCKET_ERROR) #endif { - LogPrintf("getsockopt() for %s failed: %i\n", addrConnect.ToString(), WSAGetLastError()); + LogPrintf("getsockopt() for %s failed: %s\n", addrConnect.ToString(), NetworkErrorString(WSAGetLastError())); closesocket(hSocket); return false; } if (nRet != 0) { - LogPrintf("connect() to %s failed after select(): %s\n", addrConnect.ToString(), strerror(nRet)); + LogPrintf("connect() to %s failed after select(): %s\n", addrConnect.ToString(), NetworkErrorString(nRet)); closesocket(hSocket); return false; } @@ -391,7 +391,7 @@ bool static ConnectSocketDirectly(const CService &addrConnect, SOCKET& hSocketRe else #endif { - LogPrintf("connect() to %s failed: %i\n", addrConnect.ToString(), WSAGetLastError()); + LogPrintf("connect() to %s failed: %s\n", addrConnect.ToString(), NetworkErrorString(WSAGetLastError())); closesocket(hSocket); return false; } @@ -1122,3 +1122,37 @@ void CService::SetPort(unsigned short portIn) { port = portIn; } + +#ifdef WIN32 +std::string NetworkErrorString(int err) +{ + char buf[256]; + buf[0] = 0; + if(FormatMessageA(FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS | FORMAT_MESSAGE_MAX_WIDTH_MASK, + NULL, err, MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT), + buf, sizeof(buf), NULL)) + { + return strprintf("%s (%d)", buf, err); + } + else + { + return strprintf("Unknown error (%d)", err); + } +} +#else +std::string NetworkErrorString(int err) +{ + char buf[256]; + const char *s = buf; + buf[0] = 0; + /* Too bad there are two incompatible implementations of the + * thread-safe strerror. */ +#ifdef STRERROR_R_CHAR_P /* GNU variant can return a pointer outside the passed buffer */ + s = strerror_r(err, buf, sizeof(buf)); +#else /* POSIX variant always returns message in buffer */ + (void) strerror_r(err, buf, sizeof(buf)); +#endif + return strprintf("%s (%d)", s, err); +} +#endif + diff --git a/src/netbase.h b/src/netbase.h index 95b17957675..b3358dcf011 100644 --- a/src/netbase.h +++ b/src/netbase.h @@ -149,5 +149,7 @@ bool Lookup(const char *pszName, std::vector& vAddr, int portDefault = bool LookupNumeric(const char *pszName, CService& addr, int portDefault = 0); bool ConnectSocket(const CService &addr, SOCKET& hSocketRet, int nTimeout = nConnectTimeout); bool ConnectSocketByName(CService &addr, SOCKET& hSocketRet, const char *pszDest, int portDefault = 0, int nTimeout = nConnectTimeout); +/** Return readable error string for a network error code */ +std::string NetworkErrorString(int err); #endif diff --git a/src/qt/Makefile.am b/src/qt/Makefile.am index 8ec1ae25839..648971bd8fa 100644 --- a/src/qt/Makefile.am +++ b/src/qt/Makefile.am @@ -57,6 +57,7 @@ QT_TS = \ locale/bitcoin_la.ts \ locale/bitcoin_lt.ts \ locale/bitcoin_lv_LV.ts \ + locale/bitcoin_mn.ts \ locale/bitcoin_ms_MY.ts \ locale/bitcoin_nb.ts \ locale/bitcoin_nl.ts \ diff --git a/src/qt/bitcoin.cpp b/src/qt/bitcoin.cpp index 31716ab8259..08fe3e71dc8 100644 --- a/src/qt/bitcoin.cpp +++ b/src/qt/bitcoin.cpp @@ -459,6 +459,8 @@ WId BitcoinApplication::getMainWinId() const #ifndef BITCOIN_QT_TEST int main(int argc, char *argv[]) { + SetupEnvironment(); + /// 1. Parse command-line options. These take precedence over anything else. // Command-line options take precedence: ParseParameters(argc, argv); @@ -473,6 +475,9 @@ int main(int argc, char *argv[]) #endif Q_INIT_RESOURCE(bitcoin); + + GUIUtil::SubstituteFonts(); + BitcoinApplication app(argc, argv); #if QT_VERSION > 0x050100 // Generate high-dpi pixmaps diff --git a/src/qt/bitcoin.qrc b/src/qt/bitcoin.qrc index 75078581cec..e1c739b022c 100644 --- a/src/qt/bitcoin.qrc +++ b/src/qt/bitcoin.qrc @@ -130,6 +130,7 @@ locale/bitcoin_la.qm locale/bitcoin_lt.qm locale/bitcoin_lv_LV.qm + locale/bitcoin_mn.qm locale/bitcoin_ms_MY.qm locale/bitcoin_nb.qm locale/bitcoin_nl.qm diff --git a/src/qt/bitcoingui.cpp b/src/qt/bitcoingui.cpp index da7762282a4..e6190aec13c 100644 --- a/src/qt/bitcoingui.cpp +++ b/src/qt/bitcoingui.cpp @@ -403,8 +403,8 @@ void BitcoinGUI::setClientModel(ClientModel *clientModel) setNumConnections(clientModel->getNumConnections()); connect(clientModel, SIGNAL(numConnectionsChanged(int)), this, SLOT(setNumConnections(int))); - setNumBlocks(clientModel->getNumBlocks(), clientModel->getNumBlocksOfPeers()); - connect(clientModel, SIGNAL(numBlocksChanged(int,int)), this, SLOT(setNumBlocks(int,int))); + setNumBlocks(clientModel->getNumBlocks()); + connect(clientModel, SIGNAL(numBlocksChanged(int)), this, SLOT(setNumBlocks(int))); // Receive and report messages from client model connect(clientModel, SIGNAL(message(QString,QString,unsigned int)), this, SLOT(message(QString,QString,unsigned int))); @@ -617,7 +617,7 @@ void BitcoinGUI::setNumConnections(int count) labelConnectionsIcon->setToolTip(tr("%n active connection(s) to Bitcoin network", "", count)); } -void BitcoinGUI::setNumBlocks(int count, int nTotalBlocks) +void BitcoinGUI::setNumBlocks(int count) { // Prevent orphan statusbar messages (e.g. hover Quit in main menu, wait until chain-sync starts -> garbelled text) statusBar()->clearMessage(); @@ -646,17 +646,10 @@ void BitcoinGUI::setNumBlocks(int count, int nTotalBlocks) QDateTime currentDate = QDateTime::currentDateTime(); int secs = lastBlockDate.secsTo(currentDate); - if(count < nTotalBlocks) - { - tooltip = tr("Processed %1 of %2 (estimated) blocks of transaction history.").arg(count).arg(nTotalBlocks); - } - else - { - tooltip = tr("Processed %1 blocks of transaction history.").arg(count); - } + tooltip = tr("Processed %1 blocks of transaction history.").arg(count); // Set icon state: spinning if catching up, tick otherwise - if(secs < 90*60 && count >= nTotalBlocks) + if(secs < 90*60) { tooltip = tr("Up to date") + QString(".
") + tooltip; labelBlocksIcon->setPixmap(QIcon(":/icons/synced").pixmap(STATUSBAR_ICONSIZE, STATUSBAR_ICONSIZE)); diff --git a/src/qt/bitcoingui.h b/src/qt/bitcoingui.h index 0cc1ebc5029..b4675b95ac5 100644 --- a/src/qt/bitcoingui.h +++ b/src/qt/bitcoingui.h @@ -130,7 +130,7 @@ public slots: /** Set number of connections shown in the UI */ void setNumConnections(int count); /** Set number of blocks shown in the UI */ - void setNumBlocks(int count, int nTotalBlocks); + void setNumBlocks(int count); /** Notify the user of an event from the core network or transaction handling code. @param[in] title the message box / notification title diff --git a/src/qt/clientmodel.cpp b/src/qt/clientmodel.cpp index 3c0564c2081..d1f68ebd22a 100644 --- a/src/qt/clientmodel.cpp +++ b/src/qt/clientmodel.cpp @@ -23,7 +23,7 @@ static const int64_t nClientStartupTime = GetTime(); ClientModel::ClientModel(OptionsModel *optionsModel, QObject *parent) : QObject(parent), optionsModel(optionsModel), - cachedNumBlocks(0), cachedNumBlocksOfPeers(0), + cachedNumBlocks(0), cachedReindexing(0), cachedImporting(0), numBlocksAtStartup(-1), pollTimer(0) { @@ -101,19 +101,16 @@ void ClientModel::updateTimer() // Some quantities (such as number of blocks) change so fast that we don't want to be notified for each change. // Periodically check and update with a timer. int newNumBlocks = getNumBlocks(); - int newNumBlocksOfPeers = getNumBlocksOfPeers(); // check for changed number of blocks we have, number of blocks peers claim to have, reindexing state and importing state - if (cachedNumBlocks != newNumBlocks || cachedNumBlocksOfPeers != newNumBlocksOfPeers || + if (cachedNumBlocks != newNumBlocks || cachedReindexing != fReindex || cachedImporting != fImporting) { cachedNumBlocks = newNumBlocks; - cachedNumBlocksOfPeers = newNumBlocksOfPeers; cachedReindexing = fReindex; cachedImporting = fImporting; - // ensure we return the maximum of newNumBlocksOfPeers and newNumBlocks to not create weird displays in the GUI - emit numBlocksChanged(newNumBlocks, std::max(newNumBlocksOfPeers, newNumBlocks)); + emit numBlocksChanged(newNumBlocks); } emit bytesChanged(getTotalBytesRecv(), getTotalBytesSent()); @@ -166,11 +163,6 @@ enum BlockSource ClientModel::getBlockSource() const return BLOCK_SOURCE_NONE; } -int ClientModel::getNumBlocksOfPeers() const -{ - return GetNumBlocksOfPeers(); -} - QString ClientModel::getStatusBarWarnings() const { return QString::fromStdString(GetWarnings("statusbar")); diff --git a/src/qt/clientmodel.h b/src/qt/clientmodel.h index f29b695ea10..cab853d92db 100644 --- a/src/qt/clientmodel.h +++ b/src/qt/clientmodel.h @@ -60,8 +60,6 @@ class ClientModel : public QObject bool inInitialBlockDownload() const; //! Return true if core is importing blocks enum BlockSource getBlockSource() const; - //! Return conservative estimate of total number of blocks, or 0 if unknown - int getNumBlocksOfPeers() const; //! Return warnings to be displayed in status bar QString getStatusBarWarnings() const; @@ -75,7 +73,6 @@ class ClientModel : public QObject OptionsModel *optionsModel; int cachedNumBlocks; - int cachedNumBlocksOfPeers; bool cachedReindexing; bool cachedImporting; @@ -88,7 +85,7 @@ class ClientModel : public QObject signals: void numConnectionsChanged(int count); - void numBlocksChanged(int count, int countOfPeers); + void numBlocksChanged(int count); void alertsChanged(const QString &warnings); void bytesChanged(quint64 totalBytesIn, quint64 totalBytesOut); diff --git a/src/qt/forms/rpcconsole.ui b/src/qt/forms/rpcconsole.ui index 31d61ec4682..fcb6bb60bb3 100644 --- a/src/qt/forms/rpcconsole.ui +++ b/src/qt/forms/rpcconsole.ui @@ -254,36 +254,13 @@ - - - Estimated total blocks - - - - - - - IBeamCursor - - - N/A - - - Qt::PlainText - - - Qt::LinksAccessibleByMouse|Qt::TextSelectableByKeyboard|Qt::TextSelectableByMouse - - - - Last block time - + IBeamCursor @@ -299,7 +276,7 @@ - + Qt::Vertical @@ -312,7 +289,7 @@ - + @@ -325,7 +302,7 @@ - + Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. @@ -338,7 +315,7 @@ - + Qt::Vertical diff --git a/src/qt/guiutil.cpp b/src/qt/guiutil.cpp index 7b264d27c71..004befe3cc2 100644 --- a/src/qt/guiutil.cpp +++ b/src/qt/guiutil.cpp @@ -61,6 +61,13 @@ static boost::filesystem::detail::utf8_codecvt_facet utf8; #endif +#if defined(Q_OS_MAC) +extern double NSAppKitVersionNumber; +#if !defined(NSAppKitVersionNumber10_9) +#define NSAppKitVersionNumber10_9 1265 +#endif +#endif + namespace GUIUtil { QString dateTimeStr(const QDateTime &date) @@ -76,7 +83,11 @@ QString dateTimeStr(qint64 nTime) QFont bitcoinAddressFont() { QFont font("Monospace"); +#if QT_VERSION >= 0x040800 + font.setStyleHint(QFont::Monospace); +#else font.setStyleHint(QFont::TypeWriter); +#endif return font; } @@ -368,6 +379,26 @@ ToolTipToRichTextFilter::ToolTipToRichTextFilter(int size_threshold, QObject *pa } +void SubstituteFonts() +{ +#if defined(Q_OS_MAC) +// Background: +// OSX's default font changed in 10.9 and QT is unable to find it with its +// usual fallback methods when building against the 10.7 sdk or lower. +// The 10.8 SDK added a function to let it find the correct fallback font. +// If this fallback is not properly loaded, some characters may fail to +// render correctly. +// +// Solution: If building with the 10.7 SDK or lower and the user's platform +// is 10.9 or higher at runtime, substitute the correct font. This needs to +// happen before the QApplication is created. +#if defined(MAC_OS_X_VERSION_MAX_ALLOWED) && MAC_OS_X_VERSION_MAX_ALLOWED < MAC_OS_X_VERSION_10_8 + if (floor(NSAppKitVersionNumber) >= NSAppKitVersionNumber10_9) + QFont::insertSubstitution(".Lucida Grande UI", "Lucida Grande"); +#endif +#endif +} + bool ToolTipToRichTextFilter::eventFilter(QObject *obj, QEvent *evt) { if(evt->type() == QEvent::ToolTipChange) @@ -570,7 +601,7 @@ bool SetStartOnSystemStartup(bool fAutoStart) return true; } -#elif defined(LINUX) +#elif defined(Q_OS_LINUX) // Follow the Desktop Application Autostart Spec: // http://standards.freedesktop.org/autostart-spec/autostart-spec-latest.html diff --git a/src/qt/guiutil.h b/src/qt/guiutil.h index 4f9416d1afe..847633a7528 100644 --- a/src/qt/guiutil.h +++ b/src/qt/guiutil.h @@ -106,6 +106,10 @@ namespace GUIUtil representation if needed. This assures that Qt can word-wrap long tooltip messages. Tooltips longer than the provided size threshold (in characters) are wrapped. */ + + // Replace invalid default fonts with known good ones + void SubstituteFonts(); + class ToolTipToRichTextFilter : public QObject { Q_OBJECT diff --git a/src/qt/locale/bitcoin_ach.ts b/src/qt/locale/bitcoin_ach.ts index cfe916093b7..d3133b5c14f 100644 --- a/src/qt/locale/bitcoin_ach.ts +++ b/src/qt/locale/bitcoin_ach.ts @@ -1,3360 +1,107 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - - Double-click to edit address or label - - - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - + ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - + SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - + TrafficGraphWidget - - KB/s - - - + TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - + TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - + TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - + TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - + WalletFrame - - No wallet has been loaded. - - - + WalletModel - - Send Coins - - - + WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_af_ZA.ts b/src/qt/locale/bitcoin_af_ZA.ts index a1f1abde696..65a471ae348 100644 --- a/src/qt/locale/bitcoin_af_ZA.ts +++ b/src/qt/locale/bitcoin_af_ZA.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -39,97 +10,17 @@ This product includes software developed by the OpenSSL Project for use in the O Create a new address - Skep 'n nuwe adres - - - &New - + Skep 'n nuwe adres Copy the currently selected address to the system clipboard - Maak 'n kopie van die huidige adres na die stelsel klipbord - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - + Maak 'n kopie van die huidige adres na die stelsel klipbord &Delete &Verwyder - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +39,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Tik Wagwoord in @@ -165,7 +52,7 @@ This product includes software developed by the OpenSSL Project for use in the O Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Tik die nuwe wagwoord vir die beursie in.<br/>Gebruik asseblief 'n wagwoord van <b>ten minste 10 ewekansige karakters</b>, of <b>agt (8) of meer woorde.</b> + Tik die nuwe wagwoord vir die beursie in.<br/>Gebruik asseblief 'n wagwoord van <b>ten minste 10 ewekansige karakters</b>, of <b>agt (8) of meer woorde.</b> Encrypt wallet @@ -173,7 +60,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to unlock the wallet. - Hierdie operasie benodig 'n wagwoord om die beursie oop te sluit. + Hierdie operasie benodig 'n wagwoord om die beursie oop te sluit. Unlock wallet @@ -181,7 +68,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to decrypt the wallet. - Hierdie operasie benodig 'n wagwoord om die beursie oop te sluit. + Hierdie operasie benodig 'n wagwoord om die beursie oop te sluit. Decrypt wallet @@ -200,36 +87,16 @@ This product includes software developed by the OpenSSL Project for use in the O Bevestig beursie enkripsie. - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted Die beursie is nou bewaak - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed Die beursie kon nie bewaak word nie Wallet encryption failed due to an internal error. Your wallet was not encrypted. - Beursie bewaaking het misluk as gevolg van 'n interne fout. Die beursie is nie bewaak nie! + Beursie bewaaking het misluk as gevolg van 'n interne fout. Die beursie is nie bewaak nie! The supplied passphrases do not match. @@ -247,18 +114,10 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed Beursie dekripsie het misluk - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... Sinchroniseer met die netwerk ... @@ -267,10 +126,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Oorsig - Node - - - Show general overview of wallet Wys algemene oorsig van die beursie @@ -295,10 +150,6 @@ This product includes software developed by the OpenSSL Project for use in the O Wys inligting oor Bitcoin - About &Qt - - - Show information about Qt Wys inligting oor Qt @@ -307,3006 +158,568 @@ This product includes software developed by the OpenSSL Project for use in the O &Opsies - &Encrypt Wallet... - + Bitcoin + Bitcoin - &Backup Wallet... - + Wallet + Beursie - &Change Passphrase... - + &File + &Lêer - &Sending addresses... - + &Settings + &Instellings - &Receiving addresses... - + &Help + &Hulp - Open &URI... - + Tabs toolbar + Blad nutsbalk - Importing blocks from disk... - + Bitcoin client + Bitcoin klient - Reindexing blocks on disk... - + %1 behind + %1 agter - Send coins to a Bitcoin address - + Last received block was generated %1 ago. + Ontvangs van laaste blok is %1 terug. - Modify configuration options for Bitcoin - + Error + Fout - Backup wallet to another location - + Information + Informasie + + + ClientModel + + + CoinControlDialog - Change the passphrase used for wallet encryption - + Amount: + Bedrag: - &Debug window - + Amount + Bedrag - Open debugging and diagnostic console - + Address + Adres - &Verify message... - + Date + Datum - Bitcoin - Bitcoin + Copy address + Maak kopie van adres - Wallet - Beursie + Copy amount + Kopieer bedrag - &Send - + (no label) + (geen etiket) + + + EditAddressDialog - &Receive - + New receiving address + Nuwe ontvangende adres - &Show / Hide - + New sending address + Nuwe stuurende adres - Show or hide the main Window - + Edit receiving address + Wysig ontvangende adres - Encrypt the private keys that belong to your wallet - + Edit sending address + Wysig stuurende adres - Sign messages with your Bitcoin addresses to prove you own them - + Could not unlock wallet. + Kon nie die beursie oopsluit nie. + + + FreespaceChecker + + + HelpMessageDialog - Verify messages to ensure they were signed with specified Bitcoin addresses - + Usage: + Gebruik: + + + Intro - &File - &Lêer + Bitcoin + Bitcoin - &Settings - &Instellings + Error + Fout + + + OpenURIDialog + + + OptionsDialog - &Help - &Hulp + Options + Opsies + + + OverviewPage - Tabs toolbar - Blad nutsbalk + Form + Vorm - [testnet] - + Wallet + Beursie - Bitcoin Core - + <b>Recent transactions</b> + <b>Onlangse transaksies</b> + + + PaymentServer + + + QObject - Request payments (generates QR codes and bitcoin: URIs) - + Bitcoin + Bitcoin - &About Bitcoin Core - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Die adres waarheen die betaling gestuur moet word (b.v. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole - Show the list of used sending addresses and labels - + &Information + Informasie + + + ReceiveCoinsDialog - Show the list of used receiving addresses and labels - + Copy amount + Kopieer bedrag + + + ReceiveRequestDialog - Open a bitcoin: URI or payment request - + Address + Adres - &Command-line options - + Amount + Bedrag - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Label + Etiket - Bitcoin client - Bitcoin klient - - - %n active connection(s) to Bitcoin network - + Message + Boodskap + + + RecentRequestsTableModel - No block source available... - + Date + Datum - Processed %1 of %2 (estimated) blocks of transaction history. - + Label + Etiket - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + Message + Boodskap - %1 and %2 - - - - %n year(s) - + Amount + Bedrag - %1 behind - %1 agter + (no label) + (geen etiket) + + + SendCoinsDialog - Last received block was generated %1 ago. - Ontvangs van laaste blok is %1 terug. + Send Coins + Stuur Munstukke - Transactions after this will not yet be visible. - + Amount: + Bedrag: - Error - Fout + Send to multiple recipients at once + Stuur aan vele ontvangers op eens - Warning - + Balance: + Balans: - Information - Informasie + S&end + S&tuur - Up to date - + Copy amount + Kopieer bedrag - Catching up... - + (no label) + (geen etiket) + + + SendCoinsEntry - Sent transaction - + The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Die adres waarheen die betaling gestuur moet word (b.v. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Incoming transaction - + Message: + Boodskap: + + + ShutdownWindow + + + SignVerifyMessageDialog - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - + &Sign Message + &Teken boodskap - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - + Signature + Handtekening - Wallet is <b>encrypted</b> and currently <b>locked</b> - + Sign &Message + Teken &Boodskap - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - Bedrag: - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - Bedrag - - - Address - Adres - - - Date - Datum - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - Maak kopie van adres - - - Copy label - - - - Copy amount - Kopieer bedrag - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (geen etiket) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - Nuwe ontvangende adres - - - New sending address - Nuwe stuurende adres - - - Edit receiving address - Wysig ontvangende adres - - - Edit sending address - Wysig stuurende adres - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - Kon nie die beursie oopsluit nie. - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - Gebruik: - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - Opsies - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Vorm - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - Beursie - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Onlangse transaksies</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Die adres waarheen die betaling gestuur moet word (b.v. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - Kopieer bedrag - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Adres - - - Amount - Bedrag - - - Label - Etiket - - - Message - Boodskap - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Datum - - - Label - Etiket - - - Message - Boodskap - - - Amount - Bedrag - - - (no label) - (geen etiket) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Stuur Munstukke - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - Bedrag: - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Stuur aan vele ontvangers op eens - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Balans: - - - Confirm the send action - - - - S&end - S&tuur - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - Kopieer bedrag - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (geen etiket) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Die adres waarheen die betaling gestuur moet word (b.v. 1H7wyVL5HCNoVFyyBJSDojwyxcCChU7TPA) - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - Boodskap: - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - &Teken boodskap - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - Handtekening - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - Teken &Boodskap - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Die adres waarheen die betaling gestuur moet word (b.v. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - Datum - - - Source - - - - Generated - - - - From - Van - - - To - Na - - - own address - eie adres - - - label - etiket - - - Credit - Krediet - - - matures in %n more block(s) - - - - not accepted - nie aanvaar nie - - - Debit - Debiet - - - Transaction fee - Transaksie fooi - - - Net amount - Netto bedrag - - - Message - Boodskap - - - Comment - - - - Transaction ID - Transaksie ID - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Bedrag - - - true - waar - - - false - onwaar - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - onbekend - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - Datum - - - Type - Tipe - - - Address - Adres - - - Amount - Bedrag - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Ontvang met - - - Received from - Ontvang van - - - Sent to - Gestuur na - - - Payment to yourself - Betalings Aan/na jouself - - - Mined - Gemyn - - - (n/a) - (n.v.t) - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - Datum en tyd wat die transaksie ontvang was. - - - Type of transaction. - Tipe transaksie. - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - Alles - - - Today - Vandag - - - This week - Hierdie week - - - This month - Hierdie maand - - - Last month - Verlede maand - - - This year - Hierdie jaar - - - Range... - Reeks... - - - Received with - Ontvang met - - - Sent to - Gestuur na - - - To yourself - Aan/na jouself - - - Mined - Gemyn - - - Other - Ander - - - Enter address or label to search - - - - Min amount - Min bedrag - - - Copy address - Maak kopie van adres - - - Copy label - - - - Copy amount - Kopieer bedrag - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - Datum - - - Type - Tipe - - - Label - Etiket - - - Address - Adres - - - Amount - Bedrag - - - ID - ID - - - Range: - Reeks: - - - to - aan - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Stuur Munstukke - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - Gebruik: - - - List commands - - - - Get help for a command - - - - Options: - Opsies: - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - Luister vir konneksies op <port> (standaard: 8333 of testnet: 18333) - - - Maintain at most <n> connections to peers (default: 125) - Onderhou op die meeste <n> konneksies na eweknieë (standaard: 125) - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - Gebruik die toets netwerk - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - Fout: Hardeskyf spasie is baie laag! - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Die adres waarheen die betaling gestuur moet word (b.v. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc - Force safe mode (default: 0) - + Date + Datum - Generate coins (default: 0) - + From + Van - How many blocks to check at startup (default: 288, 0 = all) - + To + Na - If <category> is not supplied, output all debugging information. - + own address + eie adres - Importing... - + label + etiket - Incorrect or no genesis block found. Wrong datadir for network? - + Credit + Krediet - Invalid -onion address: '%s' - + not accepted + nie aanvaar nie - Not enough file descriptors available. - + Debit + Debiet - Prepend debug output with timestamp (default: 1) - + Transaction fee + Transaksie fooi - RPC client options: - + Net amount + Netto bedrag - Rebuild block chain index from current blk000??.dat files - + Message + Boodskap - Select SOCKS version for -proxy (4 or 5, default: 5) - + Transaction ID + Transaksie ID - Set database cache size in megabytes (%d to %d, default: %d) - + Amount + Bedrag - Set maximum block size in bytes (default: %d) - + true + waar - Set the number of threads to service RPC calls (default: 4) - + false + onwaar - Specify wallet file (within data directory) - + unknown + onbekend + + + TransactionDescDialog + + + TransactionTableModel - Spend unconfirmed change when sending transactions (default: 1) - + Date + Datum - This is intended for regression testing tools and app development. - + Type + Tipe - Usage (deprecated, use bitcoin-cli): - + Address + Adres - Verifying blocks... - + Amount + Bedrag - Verifying wallet... - + Received with + Ontvang met - Wait for RPC server to start - + Received from + Ontvang van - Wallet %s resides outside data directory %s - + Sent to + Gestuur na - Wallet options: - + Payment to yourself + Betalings Aan/na jouself - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Mined + Gemyn - You need to rebuild the database using -reindex to change -txindex - + (n/a) + (n.v.t) - Imports blocks from external blk000??.dat file - + Date and time that the transaction was received. + Datum en tyd wat die transaksie ontvang was. - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Type of transaction. + Tipe transaksie. + + + TransactionView - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + All + Alles - Output debugging information (default: 0, supplying <category> is optional) - + Today + Vandag - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + This week + Hierdie week - Information - Informasie + This month + Hierdie maand - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Last month + Verlede maand - Invalid amount for -mintxfee=<amount>: '%s' - + This year + Hierdie jaar - Limit size of signature cache to <n> entries (default: 50000) - + Range... + Reeks... - Log transaction priority and fee per kB when mining blocks (default: 0) - + Received with + Ontvang met - Maintain a full transaction index (default: 0) - + Sent to + Gestuur na - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + To yourself + Aan/na jouself - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Mined + Gemyn - Only accept block chain matching built-in checkpoints (default: 1) - + Other + Ander - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Min amount + Min bedrag - Print block on startup, if found in block index - + Copy address + Maak kopie van adres - Print block tree on startup (default: 0) - + Copy amount + Kopieer bedrag - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Date + Datum - RPC server options: - + Type + Tipe - Randomly drop 1 of every <n> network messages - + Label + Etiket - Randomly fuzz 1 of every <n> network messages - + Address + Adres - Run a thread to flush wallet periodically (default: 1) - + Amount + Bedrag - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + ID + ID - Send command to Bitcoin Core - + Range: + Reeks: - Send trace/debug info to console instead of debug.log file - + to + aan + + + WalletFrame + + + WalletModel - Set minimum block size in bytes (default: 0) - + Send Coins + Stuur Munstukke + + + WalletView + + + bitcoin-core - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Usage: + Gebruik: - Show all debugging options (usage: --help -help-debug) - + Options: + Opsies: - Show benchmark information (default: 0) - + Listen for connections on <port> (default: 8333 or testnet: 18333) + Luister vir konneksies op <port> (standaard: 8333 of testnet: 18333) - Shrink debug.log file on client startup (default: 1 when no -debug) - + Maintain at most <n> connections to peers (default: 125) + Onderhou op die meeste <n> konneksies na eweknieë (standaard: 125) - Signing transaction failed - + Use the test network + Gebruik die toets netwerk - Specify connection timeout in milliseconds (default: 5000) - + Error: Disk space is low! + Fout: Hardeskyf spasie is baie laag! - Start Bitcoin Core Daemon - + Information + Informasie System error: Sisteem fout: - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - This help message Hierdie help boodskap - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - Loading addresses... Laai adresse... - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - Invalid amount Ongeldige bedrag @@ -3319,42 +732,16 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Laai blok indeks... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... Laai beursie... - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - Done loading Klaar gelaai - To use the %s option - - - Error Fout - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ar.ts b/src/qt/locale/bitcoin_ar.ts index daf09183c47..2f7b0d4f9a7 100644 --- a/src/qt/locale/bitcoin_ar.ts +++ b/src/qt/locale/bitcoin_ar.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + عن جوهر البيت كوين <b>Bitcoin Core</b> version - + <b>جوهر البيت كوين</b> إصدار @@ -16,26 +16,24 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + هذا هو برنامج تجريبي . + موزع تحت رخصة البرمجيات MIT / X11، انظر نسخ ملف أو المصاحب http://www.opensource.org/licenses/mit-license.php + يشتمل هذا المنتج على برنامج تم تطويره من قبل بينسل مشروع للاستخدام في مجموعة أدوات OpenSSL (http://www.openssl.org/) وبرامج التشفير كتبه اريك يونغ (eay@cryptsoft.com) والبرمجيات بنب كتبه توماس برنارد. Copyright - + الحقوق محفوظة The Bitcoin Core developers - + مطوري جوهر البيت كوين - - (%1-bit) - - - + AddressBookPage Double-click to edit address or label - أنقر على الماوس مرتين لتعديل العنوان + أنقر بالماوس مرتين لتعديل العنوان او الوصف Create a new address @@ -43,7 +41,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &جديد Copy the currently selected address to the system clipboard @@ -51,11 +49,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + &نسخ C&lose - + &اغلاق &Copy Address @@ -63,15 +61,15 @@ This product includes software developed by the OpenSSL Project for use in the O Delete the currently selected address from the list - + حذف العنوان المحدد من القائمة Export the data in the current tab to a file - + تحميل البيانات في علامة التبويب الحالية إلى ملف. &Export - + &تصدير &Delete @@ -79,35 +77,35 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + اختر العنوان الذي سترسل له العملات Choose the address to receive coins with - + اختر العنوان الذي تستقبل عليه العملات C&hoose - + &اختر Sending addresses - + ارسال العناوين Receiving addresses - + استقبال العناوين These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + هذه هي عناوين Bitcion التابعة لك من أجل إرسال الدفعات. تحقق دائما من المبلغ و عنوان المرسل المستقبل قبل إرسال العملات These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + هذه هي عناوين Bitcion التابعة لك من أجل إستقبال الدفعات. ينصح استخدام عنوان جديد من أجل كل صفقة Copy &Label - + نسخ &الوصف &Edit @@ -115,21 +113,17 @@ This product includes software developed by the OpenSSL Project for use in the O Export Address List - + تصدير قائمة العناوين Comma separated file (*.csv) - + ملف مفصول بفواصل (*.csv) Exporting Failed - - - - There was an error trying to save the address list to %1. - + فشل التصدير - + AddressTableModel @@ -149,7 +143,7 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog Passphrase Dialog - + حوار جملة السر Enter passphrase @@ -157,15 +151,15 @@ This product includes software developed by the OpenSSL Project for use in the O New passphrase - عبارة مرور جديدة + كلمة مرور جديدة Repeat new passphrase - ادخل الجملة السرية مرة أخرى + ادخل كلمة المرور الجديدة مرة أخرى Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - أدخل عبارة مرور جديدة إلى المحفظة. الرجاء استخدام عبارة مرور تتكون من10 حروف عشوائية على الاقل, أو أكثر من 7 كلمات + أدخل كلمة مرور جديدة للمحفظة. <br/>الرجاء استخدام كلمة مرور تتكون <b>من 10 حروف عشوائية على الاقل</b>, أو <b>أكثر من 7 كلمات</b>. Encrypt wallet @@ -173,7 +167,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to unlock the wallet. - هذه العملية تحتاج عبارة المرور محفظتك لفتحها + هذه العملية تحتاج كلمة مرور محفظتك لفتحها Unlock wallet @@ -181,7 +175,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to decrypt the wallet. - هذه العملية تحتاج عبارة المرور محفظتك فك تشفيرها + هذه العملية تحتاج كلمة مرور محفظتك لفك تشفيرها Decrypt wallet @@ -189,31 +183,31 @@ This product includes software developed by the OpenSSL Project for use in the O Change passphrase - تغيير عبارة المرور + تغيير كلمة المرور Enter the old and new passphrase to the wallet. - أدخل عبارة المرور القديمة والجديدة إلى المحفظة. + أدخل كلمة المرور القديمة والجديدة للمحفظة. Confirm wallet encryption - تأكيد التشفير المحفظة + تأكيد تشفير المحفظة Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + تحذير: إذا قمت بتشفير محفظتك وفقدت كلمة المرور الخاص بك, ستفقد كل عملات BITCOINS الخاصة بك. Are you sure you wish to encrypt your wallet? - + هل أنت متأكد من رغبتك في تشفير محفظتك ؟ IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + هام: أي نسخة إحتياطية سابقة قمت بها لمحفظتك يجب استبدالها بأخرى حديثة، مشفرة. لأسباب أمنية، النسخ الاحتياطية السابقة لملفات المحفظة الغير مشفرة تصبح عديمة الفائدة مع بداية استخدام المحفظة المشفرة الجديدة. Warning: The Caps Lock key is on! - + تحذير: مفتاح الحروف الكبيرة مفعل Wallet encrypted @@ -229,12 +223,11 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet encryption failed due to an internal error. Your wallet was not encrypted. - شل تشفير المحفظة بسبب خطأ داخلي. لم يتم تشفير محفظتك. + فشل تشفير المحفظة بسبب خطأ داخلي. لم يتم تشفير محفظتك. The supplied passphrases do not match. - عبارتي المرور ليستا متطابقتان - + كلمتي المرور ليستا متطابقتان Wallet unlock failed @@ -242,8 +235,7 @@ This product includes software developed by the OpenSSL Project for use in the O The passphrase entered for the wallet decryption was incorrect. - عبارة المرور التي تم إدخالها لفك شفرة المحفظة غير صحيحة. - + كلمة المرور التي تم إدخالها لفك تشفير المحفظة غير صحيحة. Wallet decryption failed @@ -251,7 +243,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet passphrase was successfully changed. - + لقد تم تغير عبارة مرور المحفظة بنجاح @@ -262,15 +254,15 @@ This product includes software developed by the OpenSSL Project for use in the O Synchronizing with network... - مزامنة مع شبكة ... + مزامنة مع الشبكة ... &Overview - نظرة عامة + &نظرة عامة Node - + جهاز Show general overview of wallet @@ -278,11 +270,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Transactions - المعاملات + &المعاملات Browse transaction history - تصفح التاريخ المعاملات + تصفح سجل المعاملات E&xit @@ -294,7 +286,7 @@ This product includes software developed by the OpenSSL Project for use in the O Show information about Bitcoin - إظهار المزيد معلومات حول Bitcoin + إظهار معلومات حول بت كوين About &Qt @@ -306,39 +298,39 @@ This product includes software developed by the OpenSSL Project for use in the O &Options... - خيارات ... + &خيارات ... &Encrypt Wallet... - + &تشفير المحفظة &Backup Wallet... - + &نسخ احتياط للمحفظة &Change Passphrase... - + &تغيير كلمة المرور &Sending addresses... - + ارسال العناوين. &Receiving addresses... - + استقبال العناوين Open &URI... - + افتح &URI... Importing blocks from disk... - + استيراد كتل من القرص ... Reindexing blocks on disk... - + إعادة الفهرسة الكتل على القرص ... Send coins to a Bitcoin address @@ -346,7 +338,7 @@ This product includes software developed by the OpenSSL Project for use in the O Modify configuration options for Bitcoin - + تعديل إعدادات bitcoin Backup wallet to another location @@ -354,19 +346,15 @@ This product includes software developed by the OpenSSL Project for use in the O Change the passphrase used for wallet encryption - تغيير عبارة المرور المستخدمة لتشفير المحفظة + تغيير كلمة المرور المستخدمة لتشفير المحفظة &Debug window - - - - Open debugging and diagnostic console - + &نافذة المعالجة &Verify message... - + &التحقق من الرسالة... Bitcoin @@ -377,44 +365,32 @@ This product includes software developed by the OpenSSL Project for use in the O محفظة - &Send - - - &Receive - + &استقبل &Show / Hide - + &عرض / اخفاء Show or hide the main Window - + عرض او اخفاء النافذة الرئيسية Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + تشفير المفتاح الخاص بمحفظتك &File - ملف + &ملف &Settings - الاعدادات + &الاعدادات &Help - مساعدة + &مساعدة Tabs toolbar @@ -426,87 +402,27 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - + جوهر البيت كوين &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + حول bitcoin core Bitcoin client - عميل بتكوين - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - + عميل بت كوين %n hour(s) - + %n ساعة%n ساعة%n ساعة%n ساعات%n ساعات%n ساعات %n day(s) - + %n يوم%n يوم%n يوم%n أيام%n أيام%n ايام %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - + %n اسبوع%n اسبوع%n اسبوع%n اسابيع%n اسابيع%n اسابيع Error @@ -514,15 +430,15 @@ This product includes software developed by the OpenSSL Project for use in the O Warning - + تحذير Information - + معلومات Up to date - محين + محدث Catching up... @@ -534,85 +450,49 @@ This product includes software developed by the OpenSSL Project for use in the O Incoming transaction - المعاملات واردة - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - + المعاملات الواردة Wallet is <b>encrypted</b> and currently <b>unlocked</b> - المحفظة مشفرة و مفتوحة حاليا + المحفظة <b>مشفرة</b> و <b>مفتوحة</b> حاليا Wallet is <b>encrypted</b> and currently <b>locked</b> - المحفظة مشفرة و مقفلة حاليا - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + المحفظة <b>مشفرة</b> و <b>مقفلة</b> حاليا - + ClientModel Network Alert - + تنبيه من الشبكة CoinControlDialog - Coin Control Address Selection - - - Quantity: - - - - Bytes: - + الكمية: Amount: - + القيمة Priority: - + افضلية : Fee: - - - - Low Output: - + رسوم : After Fee: - + بعد الرسوم : Change: - - - - (un)select all - - - - Tree mode - - - - List mode - + تعديل : Amount @@ -628,7 +508,7 @@ Address: %4 Confirmations - + تأكيد Confirmed @@ -636,11 +516,11 @@ Address: %4 Priority - + أفضلية Copy address - انسخ عنوان + انسخ العنوان Copy label @@ -648,95 +528,63 @@ Address: %4 Copy amount - نسخ الكمية + نسخ القيمة Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - + نسخ رقم المعاملة Copy quantity - + نسخ الكمية Copy fee - + نسخ الرسوم Copy after fee - - - - Copy bytes - + نسخ بعد الرسوم Copy priority - - - - Copy low output - + نسخ الافضلية Copy change - + نسخ التغييرات highest - + الاعلى higher - + اعلى high - + عالي medium-high - - - - medium - - - - low-medium - + متوسط-مرتفع low - + منخفض lower - + أدنى lowest - - - - (%1 locked) - + الأدنى none - - - - Dust - + لا شيء yes @@ -747,52 +595,12 @@ Address: %4 لا - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (لا وصف) - change from %1 (%2) - - - (change) - + (تغير) @@ -803,23 +611,15 @@ Address: %4 &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - + &وصف &Address - العنوان + &العنوان New receiving address - عنوان تلقي جديد + عنوان أستلام جديد New sending address @@ -827,20 +627,15 @@ Address: %4 Edit receiving address - تعديل عنوان التلقي - + تعديل عنوان الأستلام Edit sending address تعديل عنوان الارسال - The entered address "%1" is already in the address book. - هدا العنوان "%1" موجود مسبقا في دفتر العناوين - - - The entered address "%1" is not a valid Bitcoin address. - + The entered address "%1" is already in the address book. + هدا العنوان "%1" موجود مسبقا في دفتر العناوين Could not unlock wallet. @@ -855,34 +650,22 @@ Address: %4 FreespaceChecker A new data directory will be created. - + سيتم انشاء دليل بيانات جديد name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - + الاسم Cannot create data directory here. - + لا يمكن انشاء دليل بيانات هنا . HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core - + جوهر البيت كوين version @@ -893,102 +676,46 @@ Address: %4 المستخدم - command-line options - - - UI options خيارات UI - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + أهلا Use the default data directory - + استخدام دليل البانات الافتراضي Use a custom data directory: - + استخدام دليل بيانات مخصص: Bitcoin بت كوين - Error: Specified data directory "%1" can not be created. - - - Error خطأ GB of free space available - - - - (of %1GB needed) - + قيقا بايت مساحة متاحة - + OpenURIDialog - Open URI - - - - Open payment request from URI or file - - - - URI: - - - Select payment request file - + حدد ملف طلب الدفع Select payment request file to open - + حدد ملف طلب الدفع لفتحه @@ -999,169 +726,65 @@ Address: %4 &Main - الرئيسي - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + &الرئيسي Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - + ادفع &رسوم المعاملة MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - + م ب - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - + Third party transaction URLs + عنوان النطاق للطرف الثالث &Reset Options - + &استعادة الخيارات &Network - - - - (0 = auto, <0 = leave that many cores free) - + &الشبكة W&allet - + &محفظة Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - + تصدير Proxy &IP: - + بروكسي &اي بي: &Port: - + &المنفذ: Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - + منفذ البروكسي (مثلا 9050) &Window نافذه - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - &Display - + &عرض User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - + واجهة المستخدم &اللغة: &Display addresses in transaction list عرض العناوين في قائمة الصفقة - Whether to show coin control features or not. - - - &OK تم @@ -1175,23 +798,11 @@ Address: %4 none - + لا شيء Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - + تأكيد استعادة الخيارات The supplied proxy address is invalid. @@ -1205,10 +816,6 @@ Address: %4 نمودج - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - Wallet محفظة @@ -1217,32 +824,20 @@ Address: %4 متوفر - Your current spendable balance - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + معلق: Immature: غير ناضجة - Mined balance that has not yet matured - - - Total: - + المجموع: Your current total balance - + رصيدك الكلي الحالي <b>Recent transactions</b> @@ -1255,75 +850,7 @@ Address: %4 PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1331,22 +858,6 @@ Address: %4 بت كوين - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) إدخال عنوانBitcoin (مثال :1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1355,19 +866,19 @@ Address: %4 QRImageWidget &Save Image... - + &حفظ الصورة &Copy Image - + &نسخ الصورة Save QR Code - + حفظ رمز الاستجابة السريعة QR PNG Image (*.png) - + صورة PNG (*.png) @@ -1389,20 +900,12 @@ Address: %4 المعلومات - Debug window - - - - General - - - - Using OpenSSL version - + General + عام Startup time - + وقت البدء Network @@ -1417,175 +920,71 @@ Address: %4 عدد الاتصالات - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - &Open الفتح - &Console - - - &Network Traffic - + &حركة مرور الشبكة &Clear - + &مسح Totals - + المجاميع In: - + داخل: Out: - + خارج: Build date وقت البناء - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - + استخدم اسهم الاعلى و الاسفل للتنقل بين السجلات و <b>Ctrl-L</b> لمسح الشاشة - + ReceiveCoinsDialog &Amount: - + &القيمة &Label: - + &الوصف: &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - + &رسالة: Clear all fields of the form. - + مسح كل حقول النموذج المطلوبة Clear - + مسح Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - + سجل طلبات الدفع Show - - - - Remove the selected entries from the list - + عرض Remove - + ازل Copy label @@ -1597,38 +996,34 @@ Address: %4 Copy amount - نسخ الكمية + نسخ القيمة ReceiveRequestDialog QR Code - + رمز كيو ار Copy &URI - + نسخ &URI Copy &Address - + نسخ &العنوان &Save Image... - - - - Request payment to %1 - + &حفظ الصورة Payment information - + معلومات الدفع URI - + URI Address @@ -1644,17 +1039,9 @@ Address: %4 Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - + رسالة - + RecentRequestsTableModel @@ -1667,7 +1054,7 @@ Address: %4 Message - + رسالة Amount @@ -1679,13 +1066,9 @@ Address: %4 (no message) - - - - (no amount) - + ( لا رسائل ) - + SendCoinsDialog @@ -1693,60 +1076,36 @@ Address: %4 إرسال Coins - Coin Control Features - - - - Inputs... - - - automatically selected - + اختيار تلقائيا Insufficient funds! - + الرصيد غير كافي! Quantity: - - - - Bytes: - + الكمية : Amount: - + القيمة : Priority: - + افضلية : Fee: - - - - Low Output: - + رسوم : After Fee: - + بعد الرسوم : Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - + تعديل : Send to multiple recipients at once @@ -1754,11 +1113,11 @@ Address: %4 Add &Recipient - + أضافة &مستلم Clear all fields of the form. - + مسح كل حقول النموذج المطلوبة Clear &All @@ -1774,59 +1133,43 @@ Address: %4 S&end - + &ارسال Confirm send coins تأكيد الإرسال Coins - %1 to %2 - - - Copy quantity - + نسخ الكمية Copy amount - نسخ الكمية + نسخ القيمة Copy fee - + نسخ الرسوم Copy after fee - - - - Copy bytes - + نسخ بعد الرسوم Copy priority - - - - Copy low output - + نسخ الافضلية Copy change - + نسخ التعديل Total Amount %1 (= %2) - + مجموع المبلغ %1 (= %2) or - - - - The recipient address is not valid, please recheck. - + أو The amount to pay must be larger than 0. @@ -1834,66 +1177,18 @@ Address: %4 The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - + القيمة تتجاوز رصيدك (no label) (لا وصف) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - A&mount: - - - Pay &To: - ادفع الى - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + ادفع &الى : Enter a label for this address to add it to your address book @@ -1901,15 +1196,7 @@ Address: %4 &Label: - - - - Choose previously used address - - - - This is a normal payment. - + &وصف : Alt+A @@ -1917,77 +1204,29 @@ Address: %4 Paste address from clipboard - انسخ العنوان من لوحة المفاتيح + الصق العنوان من لوحة المفاتيح Alt+P Alt+P - Remove this entry - - - Message: الرسائل - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - Bitcoin Core is shutting down... - - - Do not shut down the computer until this window disappears. - + لا توقف عمل الكمبيوتر حتى تختفي هذه النافذة SignVerifyMessageDialog - Signatures - Sign / Verify a Message - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - + &توقيع الرسالة Alt+A @@ -2003,27 +1242,19 @@ Address: %4 Enter the message you want to sign here - + ادخل الرسالة التي تريد توقيعها هنا Signature - - - - Copy the current signature to the system clipboard - + التوقيع Sign the message to prove you own this Bitcoin address - + وقع الرسالة لتثبت انك تمتلك عنوان البت كوين هذا Sign &Message - - - - Reset all sign message fields - + توقيع $الرسالة Clear &All @@ -2031,35 +1262,19 @@ Address: %4 &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - + &تحقق رسالة Verify &Message - - - - Reset all verify message fields - + تحقق &الرسالة Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) إدخال عنوانBitcoin (مثال :1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - + Click "Sign Message" to generate signature + اضغط "توقيع الرسالة" لتوليد التوقيع The entered address is invalid. @@ -2075,7 +1290,7 @@ Address: %4 Wallet unlock was cancelled. - + تم الغاء عملية فتح المحفظة Private key for the entered address is not available. @@ -2090,16 +1305,8 @@ Address: %4 الرسالة موقعة. - The signature could not be decoded. - - - Please check the signature and try again. - - - - The signature did not match the message digest. - + فضلا تاكد من التوقيع وحاول مرة اخرى Message verification failed. @@ -2114,11 +1321,11 @@ Address: %4 SplashScreen Bitcoin Core - + جوهر البيت كوين The Bitcoin Core developers - + مطوري جوهر البيت كوين [testnet] @@ -2127,28 +1334,12 @@ Address: %4 TrafficGraphWidget - - KB/s - - - + TransactionDesc - Open until %1 - مفتوح حتى 1٪ - - conflicted - - - - %1/offline - 1% غير متواجد - - - %1/unconfirmed - غير مؤكدة/1% + يتعارض %1 confirmations @@ -2158,10 +1349,6 @@ Address: %4 Status الحالة. - - , broadcast through %n node(s) - - Date التاريخ @@ -2188,15 +1375,7 @@ Address: %4 label - - - - Credit - - - - matures in %n more block(s) - + علامة not accepted @@ -2208,15 +1387,11 @@ Address: %4 Transaction fee - رسوم التحويل - - - Net amount - + رسوم المعاملة Message - + رسالة Comment @@ -2228,25 +1403,13 @@ Address: %4 Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - + تاجر Transaction معاملة - Inputs - - - Amount المبلغ @@ -2260,11 +1423,7 @@ Address: %4 , has not been successfully broadcast yet - لم يتم حتى الآن البث بنجاح - - - Open for %n more block(s) - + , لم يتم حتى الآن البث بنجاح unknown @@ -2301,22 +1460,6 @@ Address: %4 المبلغ - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - مفتوح حتى 1٪ - - - Confirmed (%1 confirmations) - تأكيد الإرسال Coins - - This block was not received by any other nodes and will probably not be accepted! لم يتم تلقى هذه الكتلة (Block) من قبل أي العقد الأخرى وربما لن تكون مقبولة! @@ -2329,18 +1472,6 @@ Address: %4 غير متصل - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with استقبل مع @@ -2413,7 +1544,7 @@ Address: %4 Range... - v + المدى... Received with @@ -2441,7 +1572,7 @@ Address: %4 Min amount - + الحد الأدنى Copy address @@ -2457,7 +1588,7 @@ Address: %4 Copy transaction ID - + نسخ رقم العملية Edit label @@ -2465,31 +1596,19 @@ Address: %4 Show transaction details - - - - Export Transaction History - + عرض تفاصيل المعاملة Exporting Failed - - - - There was an error trying to save the transaction history to %1. - + فشل التصدير Exporting Successful - نجح الاستخراج - - - The transaction history was successfully saved to %1. - + نجح التصدير Comma separated file (*.csv) - + ملف مفصول بفواصل (*.csv) Confirmed @@ -2521,7 +1640,7 @@ Address: %4 Range: - + المدى: to @@ -2530,11 +1649,7 @@ Address: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2546,35 +1661,23 @@ Address: %4 WalletView &Export - + &تصدير Export the data in the current tab to a file - + تحميل البيانات في علامة التبويب الحالية إلى ملف. Backup Wallet - - - - Wallet Data (*.dat) - + نسخ احتياط للمحفظة Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - + فشل النسخ الاحتياطي Backup Successful - + نجاح النسخ الاحتياطي @@ -2596,746 +1699,136 @@ Address: %4 خيارات: - Specify configuration file (default: bitcoin.conf) - + Specify data directory + حدد مجلد المعلومات - Specify pid file (default: bitcoind.pid) - + Use the test network + استخدم التحقق من الشبكه - Specify data directory - حدد موقع مجلد المعلومات او data directory + Accept connections from outside (default: 1 if no -proxy or -connect) + قبول الاتصالات من خارج - Listen for connections on <port> (default: 8333 or testnet: 18333) - + Error: Disk space is low! + تحذير: مساحة القرص منخفضة - Maintain at most <n> connections to peers (default: 125) - + Error: Wallet locked, unable to create transaction! + تحذير: المحفظة مغلقة , لا تستطيع تنفيذ المعاملة - Connect to a node to retrieve peer addresses, and disconnect - + Error: system error: + خطأ: خطأ في النظام: - Specify your own public address - + Failed to listen on any port. Use -listen=0 if you want this. + فشل في الاستماع على أي منفذ. استخدام الاستماع = 0 إذا كنت تريد هذا. - Threshold for disconnecting misbehaving peers (default: 100) - + Invalid -onion address: '%s' + عنوان اونيون غير صحيح : '%s' - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Verifying wallet... + التحقق من المحفظة ... - An error occurred while setting up the RPC port %u for listening on IPv4: %s - + Wallet options: + خيارات المحفظة : - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + Information + معلومات - Accept command line and JSON-RPC commands - + Signing transaction failed + فشل توقيع المعاملة - Bitcoin Core RPC client version - + Start Bitcoin Core Daemon + ابدأ Bitcoin Core Daemon - Run in the background as a daemon and accept commands - + System error: + خطأ في النظام : - Use the test network - استخدم التحقق من الشبكه + Transaction amount too small + قيمة العملية صغيره جدا - Accept connections from outside (default: 1 if no -proxy or -connect) - قبول الاتصالات من خارج + Transaction amounts must be positive + يجب ان يكون قيمة العملية بالموجب - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - + Transaction too large + المعاملة طويلة جدا - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Warning + تحذير - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + Warning: This version is obsolete, upgrade required! + تحذير : هذا الاصدار قديم , يتطلب التحديث - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - + version + النسخة - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Upgrade wallet to latest format + تحديث المحفظة للنسخة الاخيرة - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Server private key (default: server.pem) + المفتاح الخاص بالسيرفر (default: server.pem) - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + This help message + رسالة المساعدة هذه - Error: Listening for incoming connections failed (listen returned error %d) - + Loading addresses... + تحميل العنوان - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Error loading wallet.dat: Wallet corrupted + خطأ عند تنزيل wallet.dat: المحفظة تالفة - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + Error loading wallet.dat: Wallet requires newer version of Bitcoin + خطأ عند تنزيل wallet.dat: المحفظة تتطلب نسخة أحدث من بتكوين - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - فشل في الاستماع على أي منفذ. استخدام الاستماع = 0 إذا كنت تريد هذا. - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - النسخة - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - رسالة المساعدة هذه - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - تحميل العنوان - - - Error loading wallet.dat: Wallet corrupted - خطأ عند تنزيل wallet.dat: المحفظة تالفة - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - خطأ عند تنزيل wallet.dat: المحفظة تتطلب نسخة أحدث من بتكوين - - - Wallet needed to be rewritten: restart Bitcoin to complete - المحفظة تحتاج لإعادة إنشاء: أعد تشغيل بتكوين للإتمام + Wallet needed to be rewritten: restart Bitcoin to complete + المحفظة تحتاج لإعادة إنشاء: أعد تشغيل بتكوين للإتمام Error loading wallet.dat خطأ عند تنزيل wallet.dat - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - + Invalid -proxy address: '%s' + عنوان البروكسي غير صحيح : '%s' Invalid amount - + قيمة غير صحيحة Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - + اموال غير كافية Loading wallet... تحميل المحفظه - Cannot downgrade wallet - - - Cannot write default address - + لايمكن كتابة العنوان الافتراضي Rescanning... @@ -3347,17 +1840,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. To use the %s option - + لاستخدام %s الخيار Error خطأ - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_be_BY.ts b/src/qt/locale/bitcoin_be_BY.ts index f7beb808d1f..b5ec8a9a4a9 100644 --- a/src/qt/locale/bitcoin_be_BY.ts +++ b/src/qt/locale/bitcoin_be_BY.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Аб Bitcoin Core <b>Bitcoin Core</b> version - + <b>Bitcoin Core</b> версіі @@ -16,19 +16,24 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Гэта эксперыментальная праграма. + +Распаўсюджваецца пад праграмнай ліцэнзіяй MIT/X11, глядзі суправаджальную ліцэнзію капіявання альбо http://www.opensource.org/licenses/mit-license.php. + +Гэты прадукт уключае ПЗ, распрацаванае Праектам OpenSSL ужыванае ў OpenSSL Toolkit ( http://www.openssl.org/ ) і крыптаграфічныя праграмы, напісаныя Eric Young (eay@cryptsoft.com) і праграму UPnP, напісаную Thomas Bernard. Copyright - + Copyright The Bitcoin Core developers - + Распрацоўнікі Bitcoin Core (%1-bit) - + (%1-біт) @@ -43,7 +48,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + Новы Copy the currently selected address to the system clipboard @@ -51,23 +56,23 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + Капіяваць C&lose - + Зачыніць &Copy Address - + Капіяваць адрас Delete the currently selected address from the list - + Выдаліць абраны адрас са спісу Export the data in the current tab to a file - + Экспартаваць гэтыя звесткі у файл &Export @@ -79,43 +84,27 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Выбраць адрас, куды выслаць сродкі Choose the address to receive coins with - + Выбраць адрас, на які атрымаць сродкі C&hoose - + Выбраць Sending addresses - + адрасы Адпраўкі Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - + адрасы Прымання &Edit - - - - Export Address List - + Рэдагаваць Comma separated file (*.csv) @@ -123,11 +112,11 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - + Экспартаванне няўдалае There was an error trying to save the address list to %1. - + Адбылася памылка пры спробе захавання спісу адрасоў у %1. @@ -148,10 +137,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Увядзіце кодавую фразу @@ -201,19 +186,15 @@ This product includes software developed by the OpenSSL Project for use in the O Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Увага: калі вы зашыфруеце свой гаманец і страціце парольную фразу, то <b>СТРАЦІЦЕ ЎСЕ СВАЕ БІТКОЙНЫ</b>! Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + Ці ўпэўненыя вы, што жадаеце зашыфраваць свой гаманец? Warning: The Caps Lock key is on! - + Увага: Caps Lock уключаны! Wallet encrypted @@ -221,7 +202,7 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Bitcoin зачыняецца дзеля завяршэння працэсса шыфравання. Памятайце, што шыфраванне гаманца цалкам абараняе вашыя сродкі ад скрадання шкоднымі праграмамі якія могуць пранікнуць у ваш камп'ютар. + Bitcoin зачыняецца дзеля завяршэння працэсса шыфравання. Памятайце, што шыфраванне гаманца цалкам абараняе вашыя сродкі ад скрадання шкоднымі праграмамі якія могуць пранікнуць у ваш камп'ютар. Wallet encryption failed @@ -241,7 +222,7 @@ This product includes software developed by the OpenSSL Project for use in the O The passphrase entered for the wallet decryption was incorrect. - Уведзена пароль дзеля расшыфравання гаманца памылковы + Уведзены пароль для расшыфравання гаманца памылковы Wallet decryption failed @@ -249,14 +230,14 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet passphrase was successfully changed. - + Парольная фраза гаманца паспяхова зменена. BitcoinGUI Sign &message... - + Падпісаць паведамленне... Synchronizing with network... @@ -268,7 +249,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Вузел Show general overview of wallet @@ -308,43 +289,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - + Зашыфраваць Гаманец... Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - + Адчыниць &URI... Backup wallet to another location @@ -356,23 +305,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - + Вакно адладкі Wallet - + Гаманец &Send @@ -384,23 +321,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Show / Hide - + &Паказаць / Схаваць Show or hide the main Window - + Паказаць альбо схаваць галоўнае вакно Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + Зашыфраваць прыватныя ключы, якия належаць вашаму гаманцу &File @@ -415,110 +344,22 @@ This product includes software developed by the OpenSSL Project for use in the O Дапамога - Tabs toolbar - - - [testnet] [testnet] - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoin кліент %n active connection(s) to Bitcoin network - %n актыўнае злучэнне з Bitcoin-сецівам%n актыўных злучэнняў з Bitcoin-сецівам - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - + %n актыўнае злучэнне з Bitcoin-сецівам%n актыўных злучэнняў з Bitcoin-сецівам%n актыўных злучэнняў з Bitcoin-сецівам%n актыўных злучэнняў з Bitcoin-сецівам Error Памылка - Warning - - - - Information - - - Up to date Сінхранізавана @@ -554,67 +395,15 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> Гаманец <b>зашыфраваны</b> і зараз <b>заблакаваны</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - + Колькасць: Amount @@ -629,18 +418,10 @@ Address: %4 Дата - Confirmations - - - Confirmed Пацверджана - Priority - - - Copy address Капіяваць адрас @@ -657,2564 +438,594 @@ Address: %4 Капіяваць ID транзакцыі - Lock unspent - + (no label) + непазначаны + + + EditAddressDialog - Unlock unspent - + Edit Address + Рэдагаваць Адрас - Copy quantity - + &Label + Пазнака - Copy fee - + &Address + Адрас - Copy after fee - + New receiving address + Новы адрас для атрымання - Copy bytes - + New sending address + Новы адрас для дасылання - Copy priority - + Edit receiving address + Рэдагаваць адрас прымання - Copy low output - + Edit sending address + Рэдагаваць адрас дасылання - Copy change - + The entered address "%1" is already in the address book. + Уведзены адрас "%1" ужо ў кніге адрасоў - highest - + Could not unlock wallet. + Немагчыма разблакаваць гаманец - higher - + New key generation failed. + Генерацыя новага ключа няўдалая + + + FreespaceChecker + + + HelpMessageDialog - high - + Usage: + Ужыванне: + + + Intro - medium-high - + Error + Памылка + + + OpenURIDialog + + + OptionsDialog - medium - + Options + Опцыі + + + OverviewPage - low-medium - + Form + Форма - low - + Wallet + Гаманец - lower - + <b>Recent transactions</b> + <b>Нядаўнія транзаццыі</b> + + + PaymentServer + + + QObject - lowest - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Увядзіце Біткойн-адрас (ўзор 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog - (%1 locked) - + &Label: + Пазнака: - none - + Copy label + Капіяваць пазнаку - Dust - + Copy amount + Капіяваць колькасць + + + ReceiveRequestDialog - yes - + Address + Адрас - no - + Amount + Колькасць - This label turns red, if the transaction size is greater than 1000 bytes. - + Label + Пазнака + + + RecentRequestsTableModel - This means a fee of at least %1 per kB is required. - + Date + Дата - Can vary +/- 1 byte per input. - + Label + Пазнака - Transactions with higher priority are more likely to get included into a block. - + Amount + Колькасць - This label turns red, if the priority is smaller than "medium". - + (no label) + непазначаны + + + SendCoinsDialog - This label turns red, if any recipient receives an amount smaller than %1. - + Send Coins + Даслаць Манеты - This means a fee of at least %1 is required. - + Amount: + Колькасць: - Amounts below 0.546 times the minimum relay fee are shown as dust. - + Send to multiple recipients at once + Даслаць адразу некалькім атрымальнікам - This label turns red, if the change is smaller than %1. - + Balance: + Баланс: - (no label) - непазначаны + Confirm the send action + Пацвердзіць дасыланне - change from %1 (%2) - + Confirm send coins + Пацвердзіць дасыланне манет - (change) - + Copy amount + Капіяваць колькасць - - - EditAddressDialog - Edit Address - Рэдагаваць Адрас + The amount to pay must be larger than 0. + Велічыня плацяжу мае быць больш за 0. - &Label - Пазнака + (no label) + непазначаны + + + SendCoinsEntry - The label associated with this address list entry - + A&mount: + Колькасць: - The address associated with this address list entry. This can only be modified for sending addresses. - + Pay &To: + Заплаціць да: - &Address - Адрас + Enter a label for this address to add it to your address book + Увядзіце пазнаку гэтаму адрасу, каб дадаць яго ў адрасную кнігу - New receiving address - Новы адрас для атрымання + &Label: + Пазнака: - New sending address - Новы адрас для дасылання + Alt+A + Alt+A - Edit receiving address - Рэдагаваць адрас прымання + Paste address from clipboard + Уставіць адрас з буферу абмена - Edit sending address - Рэдагаваць адрас дасылання - - - The entered address "%1" is already in the address book. - Уведзены адрас "%1" ужо ў кніге адрасоў - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - Немагчыма разблакаваць гаманец - - - New key generation failed. - Генерацыя новага ключа няўдалая - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - Ужыванне: - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - Памылка - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - Опцыі - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Форма - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Нядаўнія транзаццыі</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Увядзіце Біткойн-адрас (ўзор 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - Пазнака: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - Капіяваць пазнаку - - - Copy message - - - - Copy amount - Капіяваць колькасць - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Адрас - - - Amount - Колькасць - - - Label - Пазнака - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Дата - - - Label - Пазнака - - - Message - - - - Amount - Колькасць - - - (no label) - непазначаны - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Даслаць Манеты - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Даслаць адразу некалькім атрымальнікам - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Баланс: - - - Confirm the send action - Пацвердзіць дасыланне - - - S&end - - - - Confirm send coins - Пацвердзіць дасыланне манет - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - Капіяваць колькасць - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - Велічыня плацяжу мае быць больш за 0. - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - непазначаны - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - Колькасць: - - - Pay &To: - Заплаціць да: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - Увядзіце пазнаку гэтаму адрасу, каб дадаць яго ў адрасную кнігу - - - &Label: - Пазнака: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - Уставіць адрас з буферу абмена - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Уставіць адрас з буферу абмена - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Увядзіце Біткойн-адрас (ўзор 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - [testnet] - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/непацверджана - - - %1 confirmations - %1 пацверджанняў - - - Status - - - - , broadcast through %n node(s) - - - - Date - Дата - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Колькасць - - - true - - - - false - - - - , has not been successfully broadcast yet - , пакуль не было паспяхова транслявана - - - Open for %n more block(s) - - - - unknown - невядома - - - - TransactionDescDialog - - Transaction details - Дэталі транзакцыі - - - This pane shows a detailed description of the transaction - Гэтая панэль паказвае дэтальнае апісанне транзакцыі - - - - TransactionTableModel - - Date - Дата - - - Type - Тып - - - Address - Адрас - - - Amount - Колькасць - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - Пацверджана (%1 пацверджанняў) - - - This block was not received by any other nodes and will probably not be accepted! - Гэты блок не быў прыняты іншымі вузламі і магчыма не будзе ўхвалены! - - - Generated but not accepted - Згенеравана, але не прынята - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Прынята з - - - Received from - Прынята ад - - - Sent to - Даслана да - - - Payment to yourself - Плацёж самому сабе - - - Mined - Здабыта - - - (n/a) - (n/a) - - - Transaction status. Hover over this field to show number of confirmations. - Статус транзакцыі. Навядзіце курсар на гэтае поле, каб паказаць колькасць пацверджанняў. - - - Date and time that the transaction was received. - Дата і час, калі транзакцыя была прынята. - - - Type of transaction. - Тып транзакцыі - - - Destination address of transaction. - Адрас прызначэння транзакцыі. - - - Amount removed from or added to balance. - Колькасць аднятая ці даданая да балансу. - - - - TransactionView - - All - Усё - - - Today - Сёння - - - This week - Гэты тыдзень - - - This month - Гэты месяц - - - Last month - Мінулы месяц - - - This year - Гэты год - - - Range... - Прамежак... - - - Received with - Прынята з - - - Sent to - Даслана да - - - To yourself - Да сябе - - - Mined - Здабыта - - - Other - Іншыя - - - Enter address or label to search - Увядзіце адрас ці пазнаку для пошуку - - - Min amount - Мін. колькасць - - - Copy address - Капіяваць адрас - - - Copy label - Капіяваць пазнаку - - - Copy amount - Капіяваць колькасць - - - Copy transaction ID - Капіяваць ID транзакцыі - - - Edit label - Рэдагаваць пазнаку - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Коскамі падзелены файл (*.csv) - - - Confirmed - Пацверджана - - - Date - Дата - - - Type - Тып - - - Label - Пазнака - - - Address - Адрас - - - Amount - Колькасць - - - ID - ID - - - Range: - Прамежак: - - - to - да - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Даслаць Манеты - - - - WalletView - - &Export - Экспарт - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - Ужыванне: - - - List commands - Спіс каманд - - - Get help for a command - Атрымаць дапамогу для каманды - - - Options: - Опцыі: - - - Specify configuration file (default: bitcoin.conf) - Вызначыць канфігурацыйны файл (зыходна: bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - Вызначыць pid-файл (зыходна: bitcoind.pid) - - - Specify data directory - Вызначыць каталог даных - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - Слухаць злучэнні на <port> (зыходна: 8333 ці testnet: 18333) - - - Maintain at most <n> connections to peers (default: 125) - Трымаць не больш за <n> злучэнняў на асобу (зыходна: 125) - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - Парог для адлучэння злаўмысных карыстальнікаў (тыпова: 100) - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Колькасць секунд для ўстрымання асобаў да перадалучэння (заходна: 86400) - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - Прымаць камандны радок і JSON-RPC каманды - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - Запусціць у фоне як дэман і прымаць каманды - - - Use the test network - Ужываць тэставае сеціва - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - + Alt+P + Alt+P + + + ShutdownWindow + + + SignVerifyMessageDialog - Connect through SOCKS proxy - + Alt+A + Alt+A - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Paste address from clipboard + Уставіць адрас з буферу абмена - Connection options: - + Alt+P + Alt+P - Corrupted block database detected - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Увядзіце Біткойн-адрас (ўзор 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Debugging/Testing options: - + The Bitcoin Core developers + Распрацоўнікі Bitcoin Core - Disable safemode, override a real safe mode event (default: 0) - + [testnet] + [testnet] + + + TrafficGraphWidget + + + TransactionDesc - Discover own IP address (default: 1 when listening and no -externalip) - + %1/unconfirmed + %1/непацверджана - Do not load the wallet and disable wallet RPC calls - + %1 confirmations + %1 пацверджанняў - Do you want to rebuild the block database now? - + Date + Дата - Error initializing block database - + Transaction ID + ID - Error initializing wallet database environment %s! - + Amount + Колькасць - Error loading block database - + , has not been successfully broadcast yet + , пакуль не было паспяхова транслявана - Error opening block database - + unknown + невядома + + + TransactionDescDialog - Error: Disk space is low! - + Transaction details + Дэталі транзакцыі - Error: Wallet locked, unable to create transaction! - + This pane shows a detailed description of the transaction + Гэтая панэль паказвае дэтальнае апісанне транзакцыі + + + TransactionTableModel - Error: system error: - + Date + Дата - Failed to listen on any port. Use -listen=0 if you want this. - + Type + Тып - Failed to read block info - + Address + Адрас - Failed to read block - + Amount + Колькасць - Failed to sync block index - + Confirmed (%1 confirmations) + Пацверджана (%1 пацверджанняў) - Failed to write block index - + This block was not received by any other nodes and will probably not be accepted! + Гэты блок не быў прыняты іншымі вузламі і магчыма не будзе ўхвалены! - Failed to write block info - + Generated but not accepted + Згенеравана, але не прынята - Failed to write block - + Received with + Прынята з - Failed to write file info - + Received from + Прынята ад - Failed to write to coin database - + Sent to + Даслана да - Failed to write transaction index - + Payment to yourself + Плацёж самому сабе - Failed to write undo data - + Mined + Здабыта - Fee per kB to add to transactions you send - + (n/a) + (n/a) - Fees smaller than this are considered zero fee (for relaying) (default: - + Transaction status. Hover over this field to show number of confirmations. + Статус транзакцыі. Навядзіце курсар на гэтае поле, каб паказаць колькасць пацверджанняў. - Find peers using DNS lookup (default: 1 unless -connect) - + Date and time that the transaction was received. + Дата і час, калі транзакцыя была прынята. - Force safe mode (default: 0) - + Type of transaction. + Тып транзакцыі - Generate coins (default: 0) - + Destination address of transaction. + Адрас прызначэння транзакцыі. - How many blocks to check at startup (default: 288, 0 = all) - + Amount removed from or added to balance. + Колькасць аднятая ці даданая да балансу. + + + TransactionView - If <category> is not supplied, output all debugging information. - + All + Усё - Importing... - + Today + Сёння - Incorrect or no genesis block found. Wrong datadir for network? - + This week + Гэты тыдзень - Invalid -onion address: '%s' - + This month + Гэты месяц - Not enough file descriptors available. - + Last month + Мінулы месяц - Prepend debug output with timestamp (default: 1) - + This year + Гэты год - RPC client options: - + Range... + Прамежак... - Rebuild block chain index from current blk000??.dat files - + Received with + Прынята з - Select SOCKS version for -proxy (4 or 5, default: 5) - + Sent to + Даслана да - Set database cache size in megabytes (%d to %d, default: %d) - + To yourself + Да сябе - Set maximum block size in bytes (default: %d) - + Mined + Здабыта - Set the number of threads to service RPC calls (default: 4) - + Other + Іншыя - Specify wallet file (within data directory) - + Enter address or label to search + Увядзіце адрас ці пазнаку для пошуку - Spend unconfirmed change when sending transactions (default: 1) - + Min amount + Мін. колькасць - This is intended for regression testing tools and app development. - + Copy address + Капіяваць адрас - Usage (deprecated, use bitcoin-cli): - + Copy label + Капіяваць пазнаку - Verifying blocks... - + Copy amount + Капіяваць колькасць - Verifying wallet... - + Copy transaction ID + Капіяваць ID транзакцыі - Wait for RPC server to start - + Edit label + Рэдагаваць пазнаку - Wallet %s resides outside data directory %s - + Exporting Failed + Экспартаванне няўдалае - Wallet options: - + Comma separated file (*.csv) + Коскамі падзелены файл (*.csv) - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Confirmed + Пацверджана - You need to rebuild the database using -reindex to change -txindex - + Date + Дата - Imports blocks from external blk000??.dat file - + Type + Тып - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Label + Пазнака - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Address + Адрас - Output debugging information (default: 0, supplying <category> is optional) - + Amount + Колькасць - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + ID + ID - Information - + Range: + Прамежак: - Invalid amount for -minrelaytxfee=<amount>: '%s' - + to + да + + + WalletFrame + + + WalletModel - Invalid amount for -mintxfee=<amount>: '%s' - + Send Coins + Даслаць Манеты + + + WalletView - Limit size of signature cache to <n> entries (default: 50000) - + &Export + Экспарт - Log transaction priority and fee per kB when mining blocks (default: 0) - + Export the data in the current tab to a file + Экспартаваць гэтыя звесткі у файл + + + bitcoin-core - Maintain a full transaction index (default: 0) - + Usage: + Ужыванне: - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + List commands + Спіс каманд - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Get help for a command + Атрымаць дапамогу для каманды - Only accept block chain matching built-in checkpoints (default: 1) - + Options: + Опцыі: - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Specify configuration file (default: bitcoin.conf) + Вызначыць канфігурацыйны файл (зыходна: bitcoin.conf) - Print block on startup, if found in block index - + Specify pid file (default: bitcoind.pid) + Вызначыць pid-файл (зыходна: bitcoind.pid) - Print block tree on startup (default: 0) - + Specify data directory + Вызначыць каталог даных - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Listen for connections on <port> (default: 8333 or testnet: 18333) + Слухаць злучэнні на <port> (зыходна: 8333 ці testnet: 18333) - RPC server options: - + Maintain at most <n> connections to peers (default: 125) + Трымаць не больш за <n> злучэнняў на асобу (зыходна: 125) - Randomly drop 1 of every <n> network messages - + Threshold for disconnecting misbehaving peers (default: 100) + Парог для адлучэння злаўмысных карыстальнікаў (тыпова: 100) - Randomly fuzz 1 of every <n> network messages - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + Колькасць секунд для ўстрымання асобаў да перадалучэння (заходна: 86400) - Run a thread to flush wallet periodically (default: 1) - + Accept command line and JSON-RPC commands + Прымаць камандны радок і JSON-RPC каманды - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Run in the background as a daemon and accept commands + Запусціць у фоне як дэман і прымаць каманды - Send command to Bitcoin Core - + Use the test network + Ужываць тэставае сеціва Send trace/debug info to console instead of debug.log file Слаць trace/debug звесткі ў кансоль замест файла debug.log - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - Username for JSON-RPC connections Імя карыстальника для JSON-RPC злучэнняў - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Пароль для JSON-RPC злучэнняў @@ -3255,18 +1066,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Прыватны ключ сервера (зыходна: server.pem) - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - Loading addresses... Загружаем адрасы... @@ -3287,30 +1086,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Памылка загрузкі wallet.dat - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - Invalid amount Памылковая колькасць @@ -3323,22 +1098,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Загружаем індэкс блокаў... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... Загружаем гаманец... - Cannot downgrade wallet - - - - Cannot write default address - - - Rescanning... Перасканаванне... @@ -3347,18 +1110,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Загрузка выканана - To use the %s option - - - Error Памылка - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_bg.ts b/src/qt/locale/bitcoin_bg.ts index 6b94dc89789..4038417dadd 100644 --- a/src/qt/locale/bitcoin_bg.ts +++ b/src/qt/locale/bitcoin_bg.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Относно Bitcoin Core <b>Bitcoin Core</b> version - + Версия на <b>Bitcoin Core</b> @@ -21,7 +21,7 @@ This product includes software developed by the OpenSSL Project for use in the O Разпространява се под MIT/X11 софтуерен лиценз, виж COPYING или http://www.opensource.org/licenses/mit-license.php. -Използван е софтуер, разработен от OpenSSL Project за употреба в OpenSSL Toolkit (http://www.openssl.org/), криптографски софтуер разработен от Eric Young (eay@cryptsoft.com) и UPnP софтуер разработен от Thomas Bernard. +Използван е софтуер, разработен от OpenSSL Project за употреба в OpenSSL Toolkit (http://www.openssl.org/), криптографски софтуер, разработен от Eric Young (eay@cryptsoft.com) и UPnP софтуер, разработен от Thomas Bernard. Copyright @@ -29,11 +29,11 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers - + Разработчици на Bitcoin Core (%1-bit) - + (%1-битов) @@ -48,23 +48,23 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + Нов Copy the currently selected address to the system clipboard - Копиране на избрания адрес + Копиране на избрания адрес към клипборда &Copy - + Копирай C&lose - + Затвори &Copy Address - &Копирай + &Копирай адрес Delete the currently selected address from the list @@ -76,7 +76,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Export - + Изнеси &Delete @@ -84,15 +84,15 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Изберете адрес, на който ще изпращате монети Choose the address to receive coins with - + Изберете адрес, на който ще получавате монети C&hoose - + Избери Sending addresses @@ -104,11 +104,11 @@ This product includes software developed by the OpenSSL Project for use in the O These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Това са адресите на получателите на плащания. Винаги проверявайте размера на сумата и адреса на получателя, преди да изпратите монети. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Това са Вашите Биткойн адреси,благодарение на които ще получавате плащания.Препоръчително е да използвате нови адреси за получаване на всяка транзакция. Copy &Label @@ -132,7 +132,7 @@ This product includes software developed by the OpenSSL Project for use in the O There was an error trying to save the address list to %1. - + Възникна грешка при запазването на списъка с адреси към %1. @@ -154,11 +154,11 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog Passphrase Dialog - + Диалог за паролите Enter passphrase - Въведи парола + Въведете текущата парола New passphrase @@ -166,7 +166,7 @@ This product includes software developed by the OpenSSL Project for use in the O Repeat new passphrase - Още веднъж + Въведете новата парола повторно Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. @@ -174,7 +174,7 @@ This product includes software developed by the OpenSSL Project for use in the O Encrypt wallet - Криптиране на портфейла + Шифриране на портфейла This operation needs your wallet passphrase to unlock the wallet. @@ -186,11 +186,11 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to decrypt the wallet. - Тази операция изисква Вашата парола за декриптиране на портфейла. + Тази операция изисква Вашата парола за дешифриране на портфейла. Decrypt wallet - Декриптиране на портфейла + Дешифриране на портфейла Change passphrase @@ -202,19 +202,19 @@ This product includes software developed by the OpenSSL Project for use in the O Confirm wallet encryption - Потвърждаване на криптирането + Потвърдете на шифрирането на портфейла Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + ВНИМАНИЕ: Ако шифрирате вашият портфейл и изгубите паролата си, <b>ЩЕ ИЗГУБИТЕ ВСИЧКИТЕ СИ БИТКОИНИ</b>! Are you sure you wish to encrypt your wallet? - Наистина ли искате да шифрирате портфейла? + Наистина ли желаете да шифрирате портфейла си? IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + ВАЖНО: Всички стари запазвания, които сте направили на Вашият портфейл трябва да замените с запазване на новополучения, шифриран портфейл. От съображения за сигурност, предишните запазвания на нешифрирани портфейли ще станат неизползваеми веднага, щом започнете да използвате новият, шифриран портфейл. Warning: The Caps Lock key is on! @@ -222,19 +222,19 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet encrypted - Портфейлът е криптиран + Портфейлът е шифриран Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Биткоин ще се затоври сега за да завърши процеса на криптиране. Запомнете, че криптирането на вашия портефейл не може напълно да предпази вашите Бит-монети от кражба чрез зловреден софтуер, инфектирал вашия компютър + Биткоин сега ще се самозатвори, за да завърши процеса на шифриране. Запомнете, че шифрирането на вашия портефейл не може напълно да предпази вашите монети от кражба чрез зловреден софтуер, инфектирал Вашия компютър Wallet encryption failed - Криптирането беше неуспешно + Шифрирането беше неуспешно Wallet encryption failed due to an internal error. Your wallet was not encrypted. - Криптирането на портфейла беше неуспешно поради неизвестен проблем. Портфейлът не е криптиран. + Шифрирането на портфейла беше неуспешно, поради софтуерен проблем. Портфейлът не е шифриран. The supplied passphrases do not match. @@ -242,15 +242,15 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet unlock failed - Отключването беше неуспешно + Неуспешно отключване на портфейла The passphrase entered for the wallet decryption was incorrect. - Паролата въведена за декриптиране на портфейла е грешна. + Паролата въведена за дешифриране на портфейла е грешна. Wallet decryption failed - Декриптирането беше неуспешно + Дешифрирането на портфейла беше неуспешно Wallet passphrase was successfully changed. @@ -273,7 +273,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Сървър Show general overview of wallet @@ -281,11 +281,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Transactions - &Трансакции + &Транзакции Browse transaction history - История на трансакциите + История на транзакциите E&xit @@ -313,7 +313,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Encrypt Wallet... - &Криптиране на портфейла... + &Шифриране на портфейла... &Backup Wallet... @@ -325,23 +325,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + &Изпращане на адресите... &Receiving addresses... - + &Получаване на адресите... Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - + Отвори &URI... Send coins to a Bitcoin address @@ -349,11 +341,11 @@ This product includes software developed by the OpenSSL Project for use in the O Modify configuration options for Bitcoin - + Променете настройките на Биткойн Backup wallet to another location - + Запазване на портфейла на друго място Change the passphrase used for wallet encryption @@ -361,11 +353,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Debug window - + &Прозорец за отстраняване на грешки Open debugging and diagnostic console - + Отворете конзолата за диагностика и отстраняване на грешки &Verify message... @@ -381,15 +373,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Send - + &Изпращане &Receive - + &Получаване &Show / Hide - + &Показване / Скриване Show or hide the main Window @@ -397,15 +389,15 @@ This product includes software developed by the OpenSSL Project for use in the O Encrypt the private keys that belong to your wallet - + Шифроване на личните ключове,които принадлежат на портфейла Ви. Sign messages with your Bitcoin addresses to prove you own them - + Пишете съобщения със своя Биткойн адрес за да докажете,че е ваш. Verify messages to ensure they were signed with specified Bitcoin addresses - + Потвърждаване на съобщения за да се знае,че са написани с дадените Биткойн адреси. &File @@ -429,39 +421,35 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - + Биткойн ядро Request payments (generates QR codes and bitcoin: URIs) - + Изискване на плащания(генерира QR кодове и биткойн: URIs) &About Bitcoin Core - + &Относно Bitcoin Core Show the list of used sending addresses and labels - + Показване на списъка с използвани адреси и имена Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - + Покажи списък с използваните адреси и имена. &Command-line options - + &Налични команди Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Покажи помощните съобщения на Биткойн за да видиш наличните и валидни команди Bitcoin client - + Биткойн клиент %n active connection(s) to Bitcoin network @@ -469,15 +457,7 @@ This product includes software developed by the OpenSSL Project for use in the O No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - + Липсва източник на блоковете... %n hour(s) @@ -501,15 +481,11 @@ This product includes software developed by the OpenSSL Project for use in the O %1 behind - - - - Last received block was generated %1 ago. - + %1 зад Transactions after this will not yet be visible. - + Транзакции след това няма все още да бъдат видими. Error @@ -521,7 +497,7 @@ This product includes software developed by the OpenSSL Project for use in the O Information - Данни + Информация Up to date @@ -533,11 +509,11 @@ This product includes software developed by the OpenSSL Project for use in the O Sent transaction - Изходяща трансакция + Изходяща транзакция Incoming transaction - Входяща трансакция + Входяща транзакция Date: %1 @@ -545,7 +521,11 @@ Amount: %2 Type: %3 Address: %4 - + Дата: %1 +Сума: %2 +Вид: %3 +Адрес: %4 + Wallet is <b>encrypted</b> and currently <b>unlocked</b> @@ -557,25 +537,21 @@ Address: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Възникна фатална грешка. Биткойн не може да продължи безопасно и ще се изключи. ClientModel Network Alert - + Мрежови проблем CoinControlDialog - Coin Control Address Selection - - - Quantity: - + Количество: Bytes: @@ -594,28 +570,24 @@ Address: %4 Такса: - Low Output: - - - After Fee: - + След прилагане на ДДС Change: - + Ресто (un)select all - + (Пре)махни всички Tree mode - + Дървовиден режим List mode - + Списъчен режим Amount @@ -655,87 +627,83 @@ Address: %4 Copy transaction ID - + Копирай транзакция с ID Lock unspent - + Заключване на неизхарченото Unlock unspent - + Отключване на неизхарченото Copy quantity - + Копиране на количеството Copy fee - + Копиране на данък добавена стойност Copy after fee - + Копиране след прилагане на данък добавена стойност Copy bytes - + Копиране на байтовете Copy priority - - - - Copy low output - + Копиране на приоритет Copy change - + Копирай рестото highest - + Най-висок higher - + По-висок high - + Висок medium-high - + Средно-висок medium - + Среден low-medium - + Ниско-среден low - + Нисък lower - + По-нисък lowest - + Най-нисък (%1 locked) - + (%1 заключен) none - + нищо Dust @@ -750,40 +718,16 @@ Address: %4 не - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - + Може да варира с +-1 байт This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - + Това наименование се оцветява в червено, ако произволен получател получи сума по-малка от %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + Суми по-малки от 0.546 умножено по минималната такса за препредаване се показват като отпадък. (no label) @@ -791,11 +735,11 @@ Address: %4 change from %1 (%2) - + ресто от %1 (%2) (change) - + (промени) @@ -809,14 +753,6 @@ Address: %4 &Име - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Адрес @@ -830,19 +766,19 @@ Address: %4 Edit receiving address - Редактиране на входящ адрес + Редактиране на адрес за получаване Edit sending address - Редактиране на изходящ адрес + Редактиране на адрес за изпращане - The entered address "%1" is already in the address book. - Вече има адрес "%1" в списъка с адреси. + The entered address "%1" is already in the address book. + Вече има адрес "%1" в списъка с адреси. - The entered address "%1" is not a valid Bitcoin address. - "%1" не е валиден Биткоин адрес. + The entered address "%1" is not a valid Bitcoin address. + "%1" не е валиден Биткоин адрес. Could not unlock wallet. @@ -865,7 +801,7 @@ Address: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Директорията вече съществува.Добавете %1 ако желаете да добавите нова директория тук. Path already exists, and is not a directory. @@ -873,18 +809,18 @@ Address: %4 Cannot create data directory here. - + Не може да се създаде директория тук. HelpMessageDialog Bitcoin Core - Command-line options - + Биткойн ядро - списък с налични команди Bitcoin Core - + Биткойн ядро version @@ -896,31 +832,23 @@ Address: %4 command-line options - + Списък с налични команди UI options UI Опции - Set language, for example "de_DE" (default: system locale) - + Set language, for example "de_DE" (default: system locale) + Задаване на език,например "de_DE" (по подразбиране: system locale) Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - + Стартирай минимизирано Choose data directory on startup (default: 0) - + Изберете директория при стартиране на програмата.( настройка по подразбиране:0) @@ -931,31 +859,27 @@ Address: %4 Welcome to Bitcoin Core. - + Добре дошли в Биткойн ядрото. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Тъй като това е първото стартиране на програмата можете да изберете къде Биткон ядрото да запази данните си. Use the default data directory - + Използване на директория по подразбиране Use a custom data directory: - + Използване на директория ръчно Bitcoin Биткоин - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Грешка:Директорията "%1" не може да бъде създадена. Error @@ -963,36 +887,20 @@ Address: %4 GB of free space available - + Гигабайта свободно място (of %1GB needed) - + (от нужните %1 гигабайт) OpenURIDialog Open URI - - - - Open payment request from URI or file - - - - URI: - + Отваряне на URI - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1004,16 +912,12 @@ Address: %4 &Основни - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee - &Такса за изходяща трансакция + &Такса за изходяща транзакция Automatically start Bitcoin after logging in to the system. - + Автоматично включване на Биткойн след влизане в системата. &Start Bitcoin on system login @@ -1021,67 +925,47 @@ Address: %4 Size of &database cache - + Размер на кеша в &базата данни MB - - - - Number of script &verification threads - + Мегабайта Connect to the Bitcoin network through a SOCKS proxy. - + Свържете се към Биткойн мрежата,използвайки SOCKs прокси. &Connect through SOCKS proxy (default proxy): - + &Свържете се чрез SOCKS прокси (по подразбиране): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - + IP адрес на прокси (напр. за IPv4: 127.0.0.1 / за IPv6: ::1) Reset all client options to default. - + Възстановете всички настройки по подразбиране. &Reset Options - + &Нулирай настройките &Network &Мрежа - (0 = auto, <0 = leave that many cores free) - - - W&allet - + По&ртфейл Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Експерт &Spend unconfirmed change - + &Похарчете непотвърденото ресто Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1093,7 +977,7 @@ Address: %4 Proxy &IP: - + Прокси & АйПи: &Port: @@ -1101,15 +985,15 @@ Address: %4 Port of the proxy (e.g. 9050) - + Порт на прокси сървъра (пр. 9050) SOCKS &Version: - + SOCKS &Версия: SOCKS version of the proxy (e.g. 5) - + SOCKS версия на прокси сървъра (пр. 5) &Window @@ -1145,7 +1029,7 @@ Address: %4 &Unit to show amounts in: - Мерни единици: + Мерна единица за показваните суми: Choose the default subdivision unit to show in the interface and when sending coins. @@ -1153,23 +1037,19 @@ Address: %4 Whether to show Bitcoin addresses in the transaction list or not. - Ще се показват адресите в списъка с трансакции независимо от наличието на кратко име. + Ще се показват адресите в списъка с транзакции независимо от наличието на кратко име. &Display addresses in transaction list - &Адреси в списъка с трансакции - - - Whether to show coin control features or not. - + &Адреси в списъка с транзакции &OK - + ОК &Cancel - + Отказ default @@ -1177,38 +1057,38 @@ Address: %4 none - + нищо Confirm options reset - + Потвърдете отмяната на настройките. Client restart required to activate changes. - + Изисква се рестартиране на клиента за активиране на извършените промени. Client will be shutdown, do you want to proceed? - + Клиентът ще бъде изключен,искате ли да продължите? This change would require a client restart. - + Тази промяна изисква рестартиране на клиента Ви. The supplied proxy address is invalid. - Прокси адресът е невалиден. + Текущият прокси адрес е невалиден. OverviewPage Form - Форма + Формуляр The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + Текущата информация на екрана може да не е актуална. Вашият портфейл ще се синхронизира автоматично с мрежата на Биткоин, щом поне една връзката с нея се установи; този процес все още не е приключил. Wallet @@ -1220,23 +1100,15 @@ Address: %4 Your current spendable balance - + Вашата текуща сметка за изразходване Pending: Изчакващо: - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - Immature: - - - - Mined balance that has not yet matured - + Неразвит: Total: @@ -1248,7 +1120,7 @@ Address: %4 <b>Recent transactions</b> - <b>Последни трансакции</b> + <b>Последни транзакции</b> out of sync @@ -1258,64 +1130,24 @@ Address: %4 PaymentServer - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - + Заявената сума за плащане: %1 е твърде малка (счита се за отпадък) - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Вашето активно прокси не поддържа SOCKS5 протокол,което е задължително условие за извършване на плащане посредством прокси. Refund from %1 - + Възстановяване на сума от %1 Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - + Грешка при комуникацията с %1: %2 Bad response from server %1 - + Възникна проблем при свързването със сървър %1 Payment acknowledged @@ -1323,7 +1155,7 @@ Address: %4 Network request error - + Грешка в мрежата по време на заявката @@ -1333,20 +1165,16 @@ Address: %4 Биткоин - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Грешка:Избраната "%1" директория не съществува. Error: Invalid combination of -regtest and -testnet. - + Грешка:Невалидна комбинация от -regtest и -testnet - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Биткойн ядрото не излезе безопасно. Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1357,19 +1185,19 @@ Address: %4 QRImageWidget &Save Image... - + &Запиши изображение... &Copy Image - + &Копирай изображение Save QR Code - + Запази QR Код PNG Image (*.png) - + PNG Изображение (*.png) @@ -1388,23 +1216,23 @@ Address: %4 &Information - + Данни Debug window - + Прозорец с грешки General - + Основни Using OpenSSL version - + Използване на OpenSSL версия Startup time - + Време за стартиране Network @@ -1419,10 +1247,6 @@ Address: %4 Брой връзки - Block chain - - - Current number of blocks Текущ брой блокове @@ -1436,43 +1260,43 @@ Address: %4 &Open - + &Отвори &Console - + &Конзола &Network Traffic - + &Мрежов Трафик &Clear - + &Изчисти Totals - + Общо: In: - + Входящи: Out: - + Изходящи Build date - + Дата на създаване Debug log file - + Лог файл,съдържащ грешките Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Отворете Биткой дебъг лог файла от настоящата Data папка. Може да отнеме няколко секунди при по - големи лог файлове. Clear console @@ -1480,7 +1304,7 @@ Address: %4 Welcome to the Bitcoin RPC console. - + Добре дошли в Биткойн RPC конзолата. Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. @@ -1488,42 +1312,42 @@ Address: %4 Type <b>help</b> for an overview of available commands. - + Въведeте </b>помощ</b> за да видите наличните команди. %1 B - + %1 Байт %1 KB - + %1 Килобайт %1 MB - + %1 Мегабайт %1 GB - + %1 Гигабайт %1 m - + %1 минута %1 h - + %1 час %1 h %2 m - + %1ч %2 минути ReceiveCoinsDialog &Amount: - + &Сума &Label: @@ -1531,35 +1355,19 @@ Address: %4 &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - + &Съобщение: Use this form to request payments. All fields are <b>optional</b>. - + Използвате този формуляр за заявяване на плащания. Всички полета са <b>незадължителни</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Незадължително заявяване на сума. Оставете полето празно или нулево, за да не заявите конкретна сума. Clear all fields of the form. - + Изчисти всички полета от формуляра. Clear @@ -1567,25 +1375,17 @@ Address: %4 Requested payments history - + Изискана история на плащанията &Request payment - - - - Show the selected request (does the same as double clicking an entry) - + &Изискване на плащане Show Показване - Remove the selected entries from the list - - - Remove Премахване @@ -1606,33 +1406,29 @@ Address: %4 ReceiveRequestDialog QR Code - + QR код Copy &URI - + Копиране на &URI Copy &Address - + &Копирай адрес &Save Image... - + &Запиши изображение... Request payment to %1 - + Изискване на плащане от %1 Payment information Данни за плащането - URI - - - Address Адрес @@ -1649,10 +1445,6 @@ Address: %4 Съобщение - Resulting URI too long, try to reduce the text for label / message. - - - Error encoding URI into QR Code. Грешка при създаването на QR Code от URI. @@ -1681,11 +1473,11 @@ Address: %4 (no message) - + (без съобщение) (no amount) - + (липсва сума) @@ -1696,23 +1488,19 @@ Address: %4 Coin Control Features - - - - Inputs... - + Настройки за контрол на монетите automatically selected - + астоматично избран Insufficient funds! - + Нямате достатъчно налични пари! Quantity: - + Количество: Bytes: @@ -1731,24 +1519,16 @@ Address: %4 Такса: - Low Output: - - - After Fee: - + След прилагане на ДДС Change: - + Ресто If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - + Ако тази опция е активирана,но адресът на промяна е празен или невалиден,промяната ще бъде изпратена на новосъздаден адрес. Send to multiple recipients at once @@ -1760,7 +1540,7 @@ Address: %4 Clear all fields of the form. - + Изчисти всички полета от формуляра. Clear &All @@ -1783,12 +1563,8 @@ Address: %4 Потвърждаване - %1 to %2 - - - Copy quantity - + Копиране на количеството Copy amount @@ -1796,31 +1572,27 @@ Address: %4 Copy fee - + Копиране на данък добавена стойност Copy after fee - + Копиране след прилагане на данък добавена стойност Copy bytes - + Копиране на байтовете Copy priority - - - - Copy low output - + Копиране на приоритет Copy change - + Копирай рестото Total Amount %1 (= %2) - + Пълна сума %1 (= %2) or @@ -1840,23 +1612,15 @@ Address: %4 The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - + Сумата при добавяне на данък добавена стойност по %1 транзакцията надвишава сумата по вашата сметка. Transaction creation failed! - Грешка при създаването на трансакция! - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Грешка при създаването на транзакция! Warning: Invalid Bitcoin address - + Внимание: Невалиден Биткойн адрес (no label) @@ -1864,7 +1628,7 @@ Address: %4 Warning: Unknown change address - + Внимание:Неизвестен адрес за промяна Are you sure you want to send? @@ -1872,17 +1636,9 @@ Address: %4 added as transaction fee - добавено като такса за трансакция + добавено като такса за транзакция - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1895,7 +1651,7 @@ Address: %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Адресът на който да изпратите плащането ( например: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book @@ -1907,7 +1663,7 @@ Address: %4 Choose previously used address - + Изберете използван преди адрес This is a normal payment. @@ -1935,38 +1691,22 @@ Address: %4 This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - + Това е потвърдена транзакция. Pay To: Плащане на: - - Memo: - - - + ShutdownWindow Bitcoin Core is shutting down... - + Биткойн ядрото се изключва... Do not shut down the computer until this window disappears. - + Не изключвайте компютъра докато този прозорец не изчезне. @@ -1989,7 +1729,7 @@ Address: %4 Choose previously used address - + Изберете използван преди адрес Alt+A @@ -2021,11 +1761,7 @@ Address: %4 Sign &Message - - - - Reset all sign message fields - + Подпиши &съобщение Clear &All @@ -2036,10 +1772,6 @@ Address: %4 &Провери - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Адресът, с който е подписано съобщението (например 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2049,19 +1781,15 @@ Address: %4 Verify &Message - - - - Reset all verify message fields - + Потвърди &съобщението Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Въведете Биткоин адрес (например 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Натиснете "Подписване на съобщение" за да създадете подпис + Click "Sign Message" to generate signature + Натиснете "Подписване на съобщение" за да създадете подпис The entered address is invalid. @@ -2073,19 +1801,19 @@ Address: %4 The entered address does not refer to a key. - + Въведеният адрес не може да се съпостави с валиден ключ. Wallet unlock was cancelled. - + Отключването на портфейла беше отменено. Private key for the entered address is not available. - Не е наличен частният ключ за въведеният адрес. + Не е наличен частен ключ за въведеният адрес. Message signing failed. - Подписването на съобщение бе неуспешно. + Подписването на съобщение беше неуспешно. Message signed. @@ -2116,11 +1844,11 @@ Address: %4 SplashScreen Bitcoin Core - + Биткойн ядро The Bitcoin Core developers - + Разработчици на Bitcoin Core [testnet] @@ -2131,7 +1859,7 @@ Address: %4 TrafficGraphWidget KB/s - + Килобайта в секунда @@ -2142,7 +1870,7 @@ Address: %4 conflicted - + припокриващ се %1/offline @@ -2160,10 +1888,6 @@ Address: %4 Status Статус - - , broadcast through %n node(s) - - Date Дата @@ -2196,13 +1920,9 @@ Address: %4 Credit Кредит - - matures in %n more block(s) - - not accepted - + не е приет Debit @@ -2214,7 +1934,7 @@ Address: %4 Net amount - Сума нето + Нетна сума Message @@ -2233,20 +1953,12 @@ Address: %4 Търговец - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information - + Информация за грешките Transaction - Трансакция - - - Inputs - + Транзакция Amount @@ -2264,10 +1976,6 @@ Address: %4 , has not been successfully broadcast yet , все още не е изпратено - - Open for %n more block(s) - - unknown неизвестен @@ -2277,11 +1985,11 @@ Address: %4 TransactionDescDialog Transaction details - Трансакция + Транзакция This pane shows a detailed description of the transaction - Описание на трансакцията + Описание на транзакцията @@ -2303,14 +2011,6 @@ Address: %4 Сума - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - Open until %1 Подлежи на промяна до %1 @@ -2328,7 +2028,7 @@ Address: %4 Offline - + Извън линия Unconfirmed @@ -2368,19 +2068,19 @@ Address: %4 Transaction status. Hover over this field to show number of confirmations. - Състояние на трансакцията. Задръжте върху това поле за брой потвърждения. + Състояние на транзакцията. Задръжте върху това поле за брой потвърждения. Date and time that the transaction was received. - Дата и час на получаване. + Дата и час на получаване на транзакцията. Type of transaction. - Вид трансакция. + Вид транзакция. Destination address of transaction. - Получател на трансакцията. + Адрес на получател на транзакцията. Amount removed from or added to balance. @@ -2459,7 +2159,7 @@ Address: %4 Copy transaction ID - + Копирай транзакция с ID Edit label @@ -2467,27 +2167,23 @@ Address: %4 Show transaction details - Подробности за трансакцията + Подробности за транзакцията Export Transaction History - Изнасяне историята на трансакциите + Изнасяне историята на транзакциите Exporting Failed Грешка при изнасянето - There was an error trying to save the transaction history to %1. - - - Exporting Successful Изнасянето е успешна The transaction history was successfully saved to %1. - + Историята с транзакциите беше успешно запазена в %1. Comma separated file (*.csv) @@ -2548,7 +2244,7 @@ Address: %4 WalletView &Export - + Изнеси Export the data in the current tab to a file @@ -2556,27 +2252,27 @@ Address: %4 Backup Wallet - + Запазване на портфейла Wallet Data (*.dat) - + Информация за портфейла (*.dat) Backup Failed - + Неуспешно запазване на портфейла There was an error trying to save the wallet data to %1. - + Възникна грешка при запазването на информацията за портфейла в %1. The wallet data was successfully saved to %1. - + Информацията за портфейла беше успешно запазена в %1. Backup Successful - + Успешно запазване на портфейла @@ -2603,7 +2299,7 @@ Address: %4 Specify pid file (default: bitcoind.pid) - + Назовете pid файл ( по подразбиране:bitcoin.pid) Specify data directory @@ -2611,19 +2307,19 @@ Address: %4 Listen for connections on <port> (default: 8333 or testnet: 18333) - + Приемайте връзки на <port> ( по подразбиране: 8333 или testnet:18333) Maintain at most <n> connections to peers (default: 125) - + Поддържайте най-много <n> връзки към пиърите ( по подразбиране:125) Connect to a node to retrieve peer addresses, and disconnect - + Свържете се към сървър за да можете да извлечете адресите на пиърите след което се разкачете. Specify your own public address - + Въведете Ваш публичен адрес Threshold for disconnecting misbehaving peers (default: 100) @@ -2634,146 +2330,24 @@ Address: %4 Брой секунди до възтановяване на връзката за зле държащите се пиъри (по подразбиране:86400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - Use the test network Използвайте тестовата мрежа Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Приемайте връзки отвън.(по подразбиране:1 в противен случай -proxy или -connect) Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Грешка: Тази транзакция изисква минимална такса не по-малко от %s, поради размера на сумата, сложността си или употребата на наскоро получени средства! Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Внимание: -paytxfee е с мното голяма зададена стойност! Това е транзакционната такса, която ще платите ако направите транзакция. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Внимание: Моля проверете дали датата и часът на вашият компютър са верни! Ако часовникът ви не е сверен, Биткойн няма да работи правилно. (default: 1) @@ -2784,96 +2358,20 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. (по подразбиране wallet.dat) - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - Connection options: Настройки на връзката: - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - Error: Disk space is low! Грешка: мястото на диска е малко! - Error: Wallet locked, unable to create transaction! - - - Error: system error: Грешка: системна грешка: Failed to listen on any port. Use -listen=0 if you want this. - + Провалено "слушане" на всеки порт. Използвайте -listen=0 ако искате това. Failed to read block info @@ -2884,14 +2382,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Грешка при четене на блок - Failed to sync block index - - - - Failed to write block index - - - Failed to write block info Грешка при запис данни на блок @@ -2900,110 +2390,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Грешка при запис на блок - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - Importing... Внасяне... - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Проверка на блоковете... @@ -3012,120 +2402,20 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Проверка на портфейла... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - Wallet options: Настройки на портфейла: - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Данни - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Невалидна сума за -minrelaytxfee=<amount>: '%s' - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - + Invalid amount for -mintxfee=<amount>: '%s' + Невалидна сума за -mintxfee=<amount>: '%s' Send trace/debug info to console instead of debug.log file @@ -3133,35 +2423,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - + Задайте минимален размер на блок-а в байтове (подразбиране: 0) Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - + Определете таймаут за свързване в милисекунди (подразбиране: 5000) System error: @@ -3169,23 +2435,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Transaction amount too small - Сумата на трансакцията е твърде малка + Сумата на транзакцията е твърде малка Transaction amounts must be positive - Сумите на трансакциите трябва да са положителни + Сумите на транзакциите трябва да са положителни Transaction too large - Трансакцията е твърде голяма - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - + Транзакцията е твърде голяма Username for JSON-RPC connections @@ -3197,51 +2455,35 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - + Внимание: Използвате остаряла версия, необходимо е обновление! on startup - + по време на стартирането version версия - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Парола за JSON-RPC връзките Allow JSON-RPC connections from specified IP address - Разреши JSON-RPC връзките от отучнен IP адрес + Разреши връзките JSON-RPC от въведен IP адрес Send commands to node running on <ip> (default: 127.0.0.1) Изпрати команди до възел функциониращ на <ip> (По подразбиране: 127.0.0.1) - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - Upgrade wallet to latest format Обновяване на портфейла до най-новия формат - Set key pool size to <n> (default: 100) - - - Rescan the block chain for missing wallet transactions - Повторно сканиране на блок-връзка за липсващи портфейлни трансакции + Повторно сканиране на блок-връзка за липсващи портфейлни транзакции Use OpenSSL (https) for JSON-RPC connections @@ -3260,16 +2502,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Това помощно съобщение - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - Loading addresses... - Зареждане на адресите... + Зареждане на адреси... Error loading wallet.dat: Wallet corrupted @@ -3280,40 +2514,20 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Грешка при зареждане на wallet.dat: портфейлът изисква по-нова версия на Bitcoin - Wallet needed to be rewritten: restart Bitcoin to complete - - - Error loading wallet.dat Грешка при зареждане на wallet.dat - Invalid -proxy address: '%s' - Невалиден -proxy address: '%s' + Invalid -proxy address: '%s' + Невалиден -proxy address: '%s' - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - + Invalid amount for -paytxfee=<amount>: '%s' + Невалидна сума за -paytxfee=<amount>: '%s' Invalid amount - + Невалидна сума Insufficient funds @@ -3324,22 +2538,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Зареждане на блок индекса... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... Зареждане на портфейла... - Cannot downgrade wallet - - - - Cannot write default address - - - Rescanning... Преразглеждане на последовтелността от блокове... @@ -3348,18 +2550,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Зареждането е завършено - To use the %s option - - - Error Грешка - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_bs.ts b/src/qt/locale/bitcoin_bs.ts index 01c37b02785..ca61a7c7a33 100644 --- a/src/qt/locale/bitcoin_bs.ts +++ b/src/qt/locale/bitcoin_bs.ts @@ -1,3360 +1,167 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - - Double-click to edit address or label - - - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - Bitcoin Bitcoin - Wallet - + Bitcoin Core + Bitcoin Jezrga + + + ClientModel + + + CoinControlDialog + + + EditAddressDialog + + + FreespaceChecker + + + HelpMessageDialog - &Send - + Bitcoin Core + Bitcoin Jezrga + + + Intro - &Receive - + Bitcoin + Bitcoin + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage + + + PaymentServer + + + QObject - &Show / Hide - + Bitcoin + Bitcoin + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog + + + RecentRequestsTableModel + + + SendCoinsDialog + + + SendCoinsEntry - Show or hide the main Window - + Alt+A + Alt+A - Encrypt the private keys that belong to your wallet - + Alt+P + Alt+P + + + ShutdownWindow + + + SignVerifyMessageDialog - Sign messages with your Bitcoin addresses to prove you own them - + Alt+A + Alt+A - Verify messages to ensure they were signed with specified Bitcoin addresses - + Alt+P + Alt+P + + + SplashScreen - &File - + Bitcoin Core + Bitcoin Jezrga + + + TrafficGraphWidget + + + TransactionDesc + + + TransactionDescDialog + + + TransactionTableModel + + + TransactionView - &Settings - + All + Sve - &Help - + Today + Danas - Tabs toolbar - + This month + Ovaj mjesec - [testnet] - + Last month + Prošli mjesec - Bitcoin Core - Bitcoin Jezrga + This year + Ove godine - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + WalletFrame + - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + WalletModel + - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - Bitcoin Jezrga - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + WalletView + - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - Bitcoin Jezrga - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - Sve - - - Today - Danas - - - This week - - - - This month - Ovaj mjesec - - - Last month - Prošli mjesec - - - This year - Ove godine - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ca.ts b/src/qt/locale/bitcoin_ca.ts index 592cb337d54..d00d6344766 100644 --- a/src/qt/locale/bitcoin_ca.ts +++ b/src/qt/locale/bitcoin_ca.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Quant al Bitcoin Core <b>Bitcoin Core</b> version - + Versió del <b>Bitcoin Core</b> @@ -16,118 +16,123 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Això és programari experimental. + +Distribuït sota llicència de programari MIT/11, vegeu el fitxer COPYING o http://www.opensource.org/licenses/mit-license.php. + +Aquest producte inclou programari desenvolupat pel projecte OpenSSL per a l'ús en l'OppenSSL Toolkit (http://www.openssl.org/) i de programari criptogràfic escrit per Eric Young (eay@cryptsoft.com) i programari UPnP escrit per Thomas Bernard. Copyright - + Copyright The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core (%1-bit) - + (%1-bit) AddressBookPage Double-click to edit address or label - Doble click per editar l'adreça o l'etiqueta + Feu doble clic per editar l'adreça o l'etiqueta Create a new address - Crear una nova adrça + Crea una nova adreça &New - + &Nova Copy the currently selected address to the system clipboard - Copia la selecció actual al porta-retalls del sistema + Copia l'adreça seleccionada al porta-retalls del sistema &Copy - + &Copia C&lose - + &Tanca &Copy Address - + &Copia l'adreça Delete the currently selected address from the list - + Elimina l'adreça sel·leccionada actualment de la llista Export the data in the current tab to a file - + Exporta les dades de la pestanya actual a un fitxer &Export - + &Exporta &Delete - &Eliminar + &Elimina Choose the address to send coins to - + Trieu una adreça on voleu enviar monedes Choose the address to receive coins with - + Trieu l'adreça on voleu rebre monedes C&hoose - + T&ria Sending addresses - + S'estan enviant les adreces Receiving addresses - + S'estan rebent les adreces These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Aquestes són les vostres adreces de Bitcoin per enviar els pagaments. Sempre reviseu l'import i l'adreça del destinatari abans de transferir monedes. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Aquestes són les vostres adreces Bitcoin per rebre pagaments. Es recomana utilitzar una adreça nova de recepció per a cada transacció. Copy &Label - + Copia l'&etiqueta &Edit - + &Edita Export Address List - + Exporta la llista d'adreces Comma separated file (*.csv) - Fitxer separat per comes (*.csv) + Fitxer de separació amb comes (*.csv) Exporting Failed - + L'exportació ha fallat There was an error trying to save the address list to %1. - + S'ha produït un error en provar de desar la llista d'adreces a %1. @@ -149,130 +154,130 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog Passphrase Dialog - + Diàleg de contrasenya Enter passphrase - Introduïu la frase-contrasenya + Introduïu una contrasenya New passphrase - Nova frase-contrasenya + Nova contrasenya Repeat new passphrase - Repetiu la nova frase-contrasenya + Repetiu la nova contrasenya Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Introduïu la nova frase-contrasenya per a la cartera.<br/>Empreu una frase-contrasenya de <b>10 o més caràcters aleatoris<b/>, o <b>vuit o més paraules<b/>. + Introduïu la nova contrasenya al moneder<br/>Feu servir una contrasenya de <b>10 o més caràcters aleatoris</b>, o <b>vuit o més paraules</b>. Encrypt wallet - Encriptar cartera + Encripta el moneder This operation needs your wallet passphrase to unlock the wallet. - Cal que introduïu la frase-contrasenya de la cartera per a desbloquejar-la. + Aquesta operació requereix la contrasenya del moneder per a desbloquejar-lo. Unlock wallet - Desbloquejar cartera + Desbloqueja el moneder This operation needs your wallet passphrase to decrypt the wallet. - Cal que introduïu la frase-contrasenya de la cartera per a desencriptar-la. + Aquesta operació requereix la contrasenya del moneder per desencriptar-lo. Decrypt wallet - Desencriptar cartera + Desencripta el moneder Change passphrase - Canviar frase-contrasenya + Canvia la contrasenya Enter the old and new passphrase to the wallet. - Introduïu l'antiga i la nova frase-contrasenya per a la cartera. + Introduïu tant la contrasenya antiga com la nova del moneder. Confirm wallet encryption - Confirmeu l'encriptació de cartera + Confirma l'encriptació del moneder Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Avís: si encripteu el vostre moneder i perdeu la contrasenya, <b>PERDREU TOTS ELS VOSTRES BITCOINS</b>! Are you sure you wish to encrypt your wallet? - + Esteu segur que voleu encriptar el vostre moneder? IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + IMPORTANT: Tota copia de seguretat que hàgiu realitzat hauria de ser reemplaçada pel, recentment generat, fitxer encriptat del moneder. Warning: The Caps Lock key is on! - + Avís: Les lletres majúscules estan activades! Wallet encrypted - Cartera encriptada + Moneder encriptat Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + Bitcoin es tancarà ara per acabar el procés d'encriptació. Recordeu que encriptar el moneder no protegeix completament els bitcoins de ser robats per programari maliciós instal·lat a l'ordinador. Wallet encryption failed - L'encriptació de cartera ha fallat + L'encriptació del moneder ha fallat Wallet encryption failed due to an internal error. Your wallet was not encrypted. - L'encriptació de cartera ha fallat degut a un error intern. La vostra cartera no ha estat encriptada. + L'encriptació del moneder ha fallat per un error intern. El moneder no ha estat encriptat. The supplied passphrases do not match. - Les frases-contrasenya no concorden. + La contrasenya introduïda no coincideix. Wallet unlock failed - El desbloqueig de cartera ha fallat + El desbloqueig del moneder ha fallat The passphrase entered for the wallet decryption was incorrect. - La frase-contrasenya per a la desencriptació de cartera és incorrecta. + La contrasenya introduïda per a desencriptar el moneder és incorrecta. Wallet decryption failed - La desencriptació de cartera ha fallat + La desencriptació del moneder ha fallat Wallet passphrase was successfully changed. - + La contrasenya del moneder ha estat modificada correctament. BitcoinGUI Sign &message... - + Signa el &missatge... Synchronizing with network... - Sincronitzant amb la xarxa... + S'està sincronitzant amb la xarxa ... &Overview - &Visió general + &Panorama general Node - + Node Show general overview of wallet - Mostrar visió general de la cartera + Mostra el panorama general del moneder &Transactions @@ -280,27 +285,27 @@ This product includes software developed by the OpenSSL Project for use in the O Browse transaction history - Exploreu l'historial de transaccions + Cerca a l'historial de transaccions E&xit - + S&urt Quit application - Sortir de l'aplicació + Surt de l'aplicació Show information about Bitcoin - Informació sobre Bitcoin + Mostra informació sobre el Bitcoin About &Qt - + Quant a &Qt Show information about Qt - + Mostra informació sobre Qt &Options... @@ -308,99 +313,99 @@ This product includes software developed by the OpenSSL Project for use in the O &Encrypt Wallet... - + &Encripta el moneder... &Backup Wallet... - + &Realitza una còpia de seguretat del moneder... &Change Passphrase... - + &Canvia la contrasenya... &Sending addresses... - + Adreces d'e&nviament... &Receiving addresses... - + Adreces de &recepció Open &URI... - + Obre un &URI... Importing blocks from disk... - + S'estan important els blocs del disc... Reindexing blocks on disk... - + S'estan reindexant els blocs al disc... Send coins to a Bitcoin address - + Envia monedes a una adreça Bitcoin Modify configuration options for Bitcoin - + Modifica les opcions de configuració per bitcoin Backup wallet to another location - + Realitza una còpia de seguretat del moneder a una altra ubicació Change the passphrase used for wallet encryption - Canviar frase-contrasenya per a l'escriptació de la cartera + Canvia la contrasenya d'encriptació del moneder &Debug window - + &Finestra de depuració Open debugging and diagnostic console - + Obre la consola de diagnòstic i depuració &Verify message... - + &Verifica el missatge... Bitcoin - + Bitcoin Wallet - + Moneder &Send - + &Envia &Receive - + &Rep &Show / Hide - + &Mostra / Amaga Show or hide the main Window - + Mostra o amaga la finestra principal Encrypt the private keys that belong to your wallet - + Encripta les claus privades pertanyents al moneder Sign messages with your Bitcoin addresses to prove you own them - + Signa el missatges amb la seva adreça de Bitcoin per provar que les poseeixes Verify messages to ensure they were signed with specified Bitcoin addresses - + Verifiqueu els missatges per assegurar-vos que han estat signats amb una adreça Bitcoin específica. &File @@ -416,7 +421,7 @@ This product includes software developed by the OpenSSL Project for use in the O Tabs toolbar - Barra d'eines + Barra d'eines de les pestanyes [testnet] @@ -424,107 +429,107 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - + Bitcoin Core Request payments (generates QR codes and bitcoin: URIs) - + Sol·licita pagaments (genera codis QR i bitcoin: URI) &About Bitcoin Core - + &Quant al Bitcoin Core Show the list of used sending addresses and labels - + Mostra la llista d'adreces d'enviament i etiquetes utilitzades Show the list of used receiving addresses and labels - + Mostra la llista d'adreces de recepció i etiquetes utilitzades Open a bitcoin: URI or payment request - + Obre una bitcoin: sol·licitud d'URI o pagament &Command-line options - + Opcions de la &línia d'ordres Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Mostra el missatge d'ajuda del Bitcoin Core per obtenir una llista amb les possibles opcions de línia d'ordres de Bitcoin Bitcoin client - + Client de Bitcoin %n active connection(s) to Bitcoin network - + %n connexió activa a la xarxa Bitcoin%n connexions actives a la xarxa Bitcoin No block source available... - + No hi ha cap font de bloc disponible... Processed %1 of %2 (estimated) blocks of transaction history. - + Processat el %1 de %2 (estimat) dels blocs del històric de transaccions. Processed %1 blocks of transaction history. - + Proccessats %1 blocs del històric de transaccions. %n hour(s) - + %n hora%n hores %n day(s) - + %n dia%n dies %n week(s) - + %n setmana%n setmanes %1 and %2 - + %1 i %2 %n year(s) - + %n any%n anys %1 behind - + %1 darrere Last received block was generated %1 ago. - + El darrer bloc rebut ha estat generat fa %1. Transactions after this will not yet be visible. - + Les transaccions a partir d'això no seran visibles. Error - + Error Warning - + Avís Information - + Informació Up to date - + Al dia Catching up... - Actualitzant... + S'està posant al dia ... Sent transaction @@ -540,81 +545,81 @@ Amount: %2 Type: %3 Address: %4 - + Data: %1\nImport: %2\n Tipus: %3\n Adreça: %4\n Wallet is <b>encrypted</b> and currently <b>unlocked</b> - La cartera està <b>encriptada<b/> i <b>desbloquejada<b/> + El moneder està <b>encriptat</b> i actualment <b>desbloquejat</b> Wallet is <b>encrypted</b> and currently <b>locked</b> - La cartera està <b>encriptada<b/> i <b>bloquejada<b/> + El moneder està <b>encriptat</b> i actualment <b>bloquejat</b> A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Ha tingut lloc un error fatal. Bitcoin no pot continuar executant-se de manera segura i es tancará. ClientModel Network Alert - + Alerta de xarxa CoinControlDialog Coin Control Address Selection - + Selecció de l'adreça de control de monedes Quantity: - + Quantitat: Bytes: - + Bytes: Amount: - + Import: Priority: - + Prioritat: Fee: - + Quota: Low Output: - + Baix rendiment: After Fee: - + Comissió posterior: Change: - + Canvi: (un)select all - + (des)selecciona-ho tot Tree mode - + Mode arbre List mode - + Mode llista Amount - + Import Address @@ -622,163 +627,163 @@ Address: %4 Date - + Data Confirmations - + Confirmacions Confirmed - + Confirmat Priority - + Prioritat Copy address - + Copiar adreça Copy label - + Copiar etiqueta Copy amount - + Copia l'import Copy transaction ID - + Copiar ID de transacció Lock unspent - + Bloqueja sense gastar Unlock unspent - + Desbloqueja sense gastar Copy quantity - + Copia la quantitat Copy fee - + Copia la comissió Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia el baix rendiment Copy change - + Copia el canvi highest - + El més alt higher - + Més alt high - + Alt medium-high - + mig-alt medium - + mig low-medium - + baix-mig low - + baix lower - + més baix lowest - + el més baix (%1 locked) - + (%1 bloquejada) none - + cap Dust - + Polsim yes - + no - + no This label turns red, if the transaction size is greater than 1000 bytes. - + Aquesta etiqueta es posa de color vermell si la mida de la transacció és més gran de 1000 bytes. This means a fee of at least %1 per kB is required. - + Això comporta una comissi d'almenys %1 per kB. Can vary +/- 1 byte per input. - + Pot variar +/- 1 byte per entrada. Transactions with higher priority are more likely to get included into a block. - + Les transaccions amb una major prioritat són més propenses a ser incloses en un bloc. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Aquesta etiqueta es torna vermella si la prioritat és menor que «mitjana». This label turns red, if any recipient receives an amount smaller than %1. - + Aquesta etiqueta es torna vermella si qualsevol destinatari rep un import inferior a %1. This means a fee of at least %1 is required. - + Això comporta una comissió de com a mínim %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Els imports inferiors a 0.546 vegades la comissió de tramesa mínima són mostrats com a polsim. This label turns red, if the change is smaller than %1. - + Aquesta etiqueta es torna vermella si el canvi és menor que %1. (no label) @@ -786,18 +791,18 @@ Address: %4 change from %1 (%2) - + canvia de %1 (%2) (change) - + (canvia) EditAddressDialog Edit Address - Editar adreça + Editar Adreça &Label @@ -805,11 +810,11 @@ Address: %4 The label associated with this address list entry - + L'etiqueta associada amb aquesta entrada de llista d'adreces The address associated with this address list entry. This can only be modified for sending addresses. - + L'adreça associada amb aquesta entrada de llista d'adreces. Només es pot modificar per a les adreces d'enviament. &Address @@ -817,815 +822,823 @@ Address: %4 New receiving address - + Nova adreça de recepció. New sending address - + Nova adreça d'enviament Edit receiving address - + Edita les adreces de recepció Edit sending address - + Edita les adreces d'enviament - The entered address "%1" is already in the address book. - + The entered address "%1" is already in the address book. + L'adreça introduïda «%1» ja és present a la llibreta d'adreces. - The entered address "%1" is not a valid Bitcoin address. - + The entered address "%1" is not a valid Bitcoin address. + L'adreça introduïda «%1» no és una adreça de Bitcoin vàlida. Could not unlock wallet. - + No s'ha pogut desbloquejar el moneder. New key generation failed. - + Ha fallat la generació d'una nova clau. FreespaceChecker A new data directory will be created. - + Es crearà un nou directori de dades. name - + nom Directory already exists. Add %1 if you intend to create a new directory here. - + El directori ja existeix. Afegeix %1 si vols crear un nou directori en aquesta ubicació. Path already exists, and is not a directory. - + El camí ja existeix i no és cap directori. Cannot create data directory here. - + No es pot crear el directori de dades aquí. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - opcions de línia d'ordres Bitcoin Core - + Bitcoin Core version - + versió Usage: - + Ús: command-line options - + Opcions de la línia d'ordres UI options - + Opcions de IU - Set language, for example "de_DE" (default: system locale) - + Set language, for example "de_DE" (default: system locale) + Defineix un idioma, per exemple "de_DE" (per defecte: preferències locals de sistema) Start minimized - + Inicia minimitzat Set SSL root certificates for payment request (default: -system-) - + Defineix certificats arrel SSL per a la sol·licitud de pagament (per defecte: -sistema-) Show splash screen on startup (default: 1) - + Mostra la finestra de benvinguda a l'inici (per defecte: 1) Choose data directory on startup (default: 0) - + Tria el directori de dades a l'inici (per defecte: 0) Intro Welcome - + Us donem la benviguda Welcome to Bitcoin Core. - + Us donem la benvinguda al Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Atès que és la primera vegada que executeu el programa, podeu triar on emmagatzemarà el Bitcoin Core les dades. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + El Bitcoin Core descarregarà i emmagatzemarà una còpia de la cadena de blocs de Bitcoin. Com a mínim s'emmagatzemaran %1 GB de dades en aquest directori, que seguiran creixent gradualment. També s'hi emmagatzemarà el moneder. Use the default data directory - + Utilitza el directori de dades per defecte Use a custom data directory: - + Utilitza un directori de dades personalitzat: Bitcoin - + Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Error: el directori de dades especificat «%1» no es pot crear. Error - + Error GB of free space available - + GB d'espai lliure disponible (of %1GB needed) - + (d' %1GB necessari) OpenURIDialog Open URI - + Obre un URI Open payment request from URI or file - + Obre una sol·licitud de pagament des d'un URI o un fitxer URI: - + URI: Select payment request file - + Selecciona un fitxer de sol·licitud de pagament Select payment request file to open - + Selecciona el fitxer de sol·licitud de pagament per obrir OptionsDialog Options - + Opcions &Main - + &Principal Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Comissió opcional de transacció per kB que ajuda a assegurar que les transaccions es processen ràpidament. La majoria de transaccions són d'1 kB. Pay transaction &fee - + Paga &comissió de transacció Automatically start Bitcoin after logging in to the system. - + Inicia automàticament el Bitcoin després de l'inici de sessió del sistema. &Start Bitcoin on system login - + &Inicia el Bitcoin a l'inici de sessió del sistema. Size of &database cache - + Mida de la memòria cau de la base de &dades MB - + MB Number of script &verification threads - + Nombre de fils de &verificació d'scripts Connect to the Bitcoin network through a SOCKS proxy. - + Connecta a la xarxa Bitcoin a través d'un proxy SOCKS. &Connect through SOCKS proxy (default proxy): - + &Connecta a través d'un proxy SOCKS (proxy per defecte): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Adreça IP del proxy (p. ex. IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL de terceres parts (p. ex. explorador de blocs) que apareix en la pestanya de transaccions com elements del menú contextual. %s en l'URL es reemplaçat pel resum de la transacció. Diferents URL estan separades per una barra vertical |. + + + Third party transaction URLs + URL de transaccions de terceres parts Active command-line options that override above options: - + Opcions de línies d'ordre active que sobreescriuen les opcions de dalt: Reset all client options to default. - + Reestableix totes les opcions del client. &Reset Options - + &Reestableix les opcions &Network - + &Xarxa (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = deixa tants nuclis lliures) W&allet - + &Moneder Expert - + Expert Enable coin &control features - + Activa les funcions de &control de les monedes If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Si inhabiliteu la despesa d'un canvi sense confirmar, el canvi d'una transacció no pot ser utilitzat fins que la transacció no tingui com a mínim una confirmació. Això també afecta com es calcula el vostre balanç. &Spend unconfirmed change - + &Gasta el canvi sense confirmar Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Obre el port del client de Bitcoin al router de forma automàtica. Això només funciona quan el router implementa UPnP i l'opció està activada. Map port using &UPnP - + Port obert amb &UPnP Proxy &IP: - + &IP del proxy: &Port: - + &Port: Port of the proxy (e.g. 9050) - + Port del proxy (per exemple 9050) SOCKS &Version: - + &Versió de SOCKS: SOCKS version of the proxy (e.g. 5) - + Versió SOCKS del proxy (per exemple 5) &Window - + &Finestra Show only a tray icon after minimizing the window. - + Mostra només la icona de la barra en minimitzar la finestra. &Minimize to the tray instead of the taskbar - + &Minimitza a la barra d'aplicacions en comptes de la barra de tasques Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - + Minimitza en comptes de sortir de la aplicació al tancar la finestra. Quan aquesta opció està activa, la aplicació només es tancarà al seleccionar Sortir al menú. M&inimize on close - + M&inimitza en tancar &Display - + &Pantalla User Interface &language: - + &Llengua de la interfície d'usuari: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Aquí podeu definir la llengua de l'aplicació. Aquesta configuració tindrà efecte una vegada es reiniciï Bitcoin. &Unit to show amounts in: - + &Unitats per mostrar els imports en: Choose the default subdivision unit to show in the interface and when sending coins. - + Selecciona la unitat de subdivisió per defecte per mostrar en la interfície quan s'envien monedes. Whether to show Bitcoin addresses in the transaction list or not. - + Si voleu mostrar o no adreces Bitcoin als llistats de transaccions. &Display addresses in transaction list - + &Mostra adreces al llistat de transaccions Whether to show coin control features or not. - + Si voleu mostrar les funcions de control de monedes o no. &OK - + &D'acord &Cancel - + &Cancel·la default - + Per defecte none - + cap Confirm options reset - + Confirmeu el reestabliment de les opcions Client restart required to activate changes. - + Cal reiniciar el client per activar els canvis. Client will be shutdown, do you want to proceed? - + S'aturarà el client, voleu procedir? This change would require a client restart. - + Amb aquest canvi cal un reinici del client. The supplied proxy address is invalid. - + L'adreça proxy introduïda és invalida. OverviewPage Form - + Formulari The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + La informació mostrada pot no estar al día. El teu moneder es sincronitza automàticament amb la xarxa Bitcoin un cop s'ha establert connexió, però aquest proces no s'ha completat encara. Wallet - + Moneder Available: - + Disponible: Your current spendable balance - + El balanç que podeu gastar actualment Pending: - + Pendent: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Total de transaccions que encara han de confirmar-se i que encara no compten en el balanç que es pot gastar Immature: - + Immadur: Mined balance that has not yet matured - + Balanç minat que encara no ha madurat Total: - + Total: Your current total balance - + El balanç total actual <b>Recent transactions</b> - + <b>Transaccions recents</b> out of sync - + Fora de sincronia PaymentServer URI handling - + Gestió d'URI URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - + l'URI no pot ser processat! Això pot ser causat per una adreça Bitcoin no vàlida o paràmetres URI malformats. Requested payment amount of %1 is too small (considered dust). - + L'import de pagament sol·licitat %1 és massa petit (es considera polsim). Payment request error - + Error en la sol·licitud de pagament Cannot start bitcoin: click-to-pay handler - + No es pot iniciar bitcoin: gestor clica-per-pagar Net manager warning - + Avís del gestor de la xarxa - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + El vostre proxy actiu no accepta SOCKS5, que és necessari per a sol·licituds de pagament a través d'un proxy. Payment request fetch URL is invalid: %1 - + L'URL de recuperació de la sol·licitud de pagament no és vàlida: %1 Payment request file handling - + Gestió de fitxers de les sol·licituds de pagament Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + El fitxer de la sol·licitud de pagament no pot ser llegit o processat. Això pot ser a causa d'un fitxer de sol·licitud de pagament no vàlid. Unverified payment requests to custom payment scripts are unsupported. - + No s'accepten sol·licituds de pagament no verificades a scripts de pagament personalitzats. Refund from %1 - + Reemborsament de %1 Error communicating with %1: %2 - + Error en comunicar amb %1: %2 Payment request can not be parsed or processed! - + La sol·licitud de pagament no pot ser analitzada o processada! Bad response from server %1 - + Mala resposta del servidor %1 Payment acknowledged - + Pagament reconegut Network request error - + Error en la sol·licitud de xarxa QObject Bitcoin - + Bitcoin - Error: Specified data directory "%1" does not exist. - + Error: Specified data directory "%1" does not exist. + Error: El directori de dades especificat «%1» no existeix. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: no es pot analitzar el fitxer de configuració: %1. Feu servir només la sintaxi clau=valor. Error: Invalid combination of -regtest and -testnet. - + Error: combinació no vàlida de -regtest i -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + No es va tancar el Bitcoin Core de forma segura... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Introduïu una adreça de Bitcoin (p. ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget &Save Image... - + De&sa la imatge... &Copy Image - + &Copia la imatge Save QR Code - + Desa el codi QR PNG Image (*.png) - + Imatge PNG (*.png) RPCConsole Client name - + Nom del client N/A - + N/D Client version - + Versió del client &Information - + &Informació Debug window - + Finestra de depuració General - + General Using OpenSSL version - + Utilitzant OpenSSL versió Startup time - + &Temps d'inici Network - + Xarxa Name - + Nom Number of connections - + Nombre de connexions Block chain - + Cadena de blocs Current number of blocks - + Nombre de blocs actuals Estimated total blocks - + Total estimat de blocs Last block time - + Últim temps de bloc &Open - + &Obre &Console - + &Consola &Network Traffic - + Trà&nsit de la xarxa &Clear - + Nete&ja Totals - + Totals In: - + Dins: Out: - + Fora: Build date - + Data de compilació Debug log file - + Fitxer de registre de depuració Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Obre el fitxer de registre de depuració de Bitcoin del directori de dades actual. Això pot trigar uns quants segons per a fitxers de registre grans. Clear console - + Neteja la consola Welcome to the Bitcoin RPC console. - + Us donem la benvinguda a la consola RPC de Bitcoin Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - + Utilitza les fletxes d'amunt i avall per navegar per l'historial, i <b>Ctrl-L<\b> per netejar la pantalla. Type <b>help</b> for an overview of available commands. - + Escriviu <b>help<\b> per a obtenir un llistat de les ordres disponibles. %1 B - + %1 B %1 KB - + %1 KB %1 MB - + %1 MB %1 GB - + %1 GB %1 m - + %1 m %1 h - + %1 h %1 h %2 m - + %1 h %2 m ReceiveCoinsDialog &Amount: - + Im&port: &Label: - + &Etiqueta: &Message: - + &Missatge: Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Reutilitza una de les adreces de recepció utilitzades anteriorment. La reutilització d'adreces pot comportar problemes de seguretat i privadesa. No ho utilitzeu llevat que torneu a generar una sol·licitud de pagament feta abans. R&euse an existing receiving address (not recommended) - + R&eutilitza una adreça de recepció anterior (no recomanat) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Un missatge opcional que s'adjuntarà a la sol·licitud de pagament, que es mostrarà quan s'obri la sol·licitud. Nota: El missatge no s'enviarà amb el pagament per la xarxa Bitcoin. An optional label to associate with the new receiving address. - + Una etiqueta opcional que s'associarà amb la nova adreça receptora. Use this form to request payments. All fields are <b>optional</b>. - + Utilitzeu aquest formulari per sol·licitar pagaments. Tots els camps són <b>opcionals</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Un import opcional per sol·licitar. Deixeu-ho en blanc o zero per no sol·licitar cap import específic. Clear all fields of the form. - + Neteja tots els camps del formulari. Clear - + Neteja Requested payments history - + Historial de pagaments sol·licitats &Request payment - + &Sol·licitud de pagament Show the selected request (does the same as double clicking an entry) - + Mostra la sol·licitud seleccionada (fa el mateix que el doble clic a una entrada) Show - + Mostra Remove the selected entries from the list - + Esborra les entrades seleccionades de la llista Remove - + Esborra Copy label - + Copia l'etiqueta Copy message - + Copia el missatge Copy amount - + Copia l'import ReceiveRequestDialog QR Code - + Codi QR Copy &URI - + Copia l'&URI Copy &Address - + Copia l'&adreça &Save Image... - + De&sa la imatge... Request payment to %1 - + Sol·licita un pagament a %1 Payment information - + Informació de pagament URI - + URI Address @@ -1633,7 +1646,7 @@ Address: %4 Amount - + Import Label @@ -1641,22 +1654,22 @@ Address: %4 Message - + Missatge Resulting URI too long, try to reduce the text for label / message. - + URI resultant massa llarga, intenta reduir el text per a la etiqueta / missatge Error encoding URI into QR Code. - + Error en codificar l'URI en un codi QR. RecentRequestsTableModel Date - + Data Label @@ -1664,11 +1677,11 @@ Address: %4 Message - + Missatge Amount - + Import (no label) @@ -1676,182 +1689,182 @@ Address: %4 (no message) - + (sense missatge) (no amount) - + (sense import) SendCoinsDialog Send Coins - + Envia monedes Coin Control Features - + Característiques de control de les monedes Inputs... - + Entrades... automatically selected - + seleccionat automàticament Insufficient funds! - + Fons insuficients! Quantity: - + Quantitat: Bytes: - + Bytes: Amount: - + Import: Priority: - + Prioritat: Fee: - + Comissió: Low Output: - + Sortida baixa: After Fee: - + Comissió posterior: Change: - + Canvi: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Si s'activa això, però l'adreça de canvi està buida o bé no és vàlida, el canvi s'enviarà a una adreça generada de nou. Custom change address - + Personalitza l'adreça de canvi Send to multiple recipients at once - + Envia a múltiples destinataris al mateix temps Add &Recipient - + Afegeix &destinatari Clear all fields of the form. - + Neteja tots els camps del formulari. Clear &All - + Neteja-ho &tot Balance: - + Balanç: Confirm the send action - + Confirma l'acció d'enviament S&end - + E&nvia Confirm send coins - + Confirma l'enviament de monedes %1 to %2 - + %1 a %2 Copy quantity - + Copia la quantitat Copy amount - + Copia l'import Copy fee - + Copia la comissi Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia la sortida baixa Copy change - + Copia el canvi Total Amount %1 (= %2) - + Import total %1 (= %2) or - + o The recipient address is not valid, please recheck. - + L'adreça de destinatari no és vàlida, si us plau comprovi-la. The amount to pay must be larger than 0. - + L'import a pagar ha de ser major que 0. The amount exceeds your balance. - + L'import supera el vostre balanç. The total exceeds your balance when the %1 transaction fee is included. - + El total excedeix el teu balanç quan s'afegeix la comisió a la transacció %1. Duplicate address found, can only send to each address once per send operation. - + S'ha trobat una adreça duplicada, tan sols es pot enviar a cada adreça un cop per ordre de enviament. Transaction creation failed! - + Ha fallat la creació de la transacció! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + S'ha rebutjat la transacció! Això pot passar si alguna de les monedes del vostre moneder ja s'han gastat; per exemple, si heu fet servir una còpia de seguretat del fitxer wallet.dat i s'haguessin gastat monedes de la còpia però sense marcar-les-hi com a gastades. Warning: Invalid Bitcoin address - + Avís: adreça Bitcoin no vàlida (no label) @@ -1859,263 +1872,263 @@ Address: %4 Warning: Unknown change address - + Avís: adreça de canvi desconeguda Are you sure you want to send? - + Esteu segur que ho voleu enviar? added as transaction fee - + S'ha afegit una taxa de transacció Payment request expired - + La sol·licitud de pagament ha caducat Invalid payment address %1 - + Adreça de pagament no vàlida %1 SendCoinsEntry A&mount: - + Q&uantitat: Pay &To: - + Paga &a: The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça on s'envia el pagament (per exemple: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book - + Introduïu una etiqueta per a aquesta adreça per afegir-la a la llibreta d'adreces &Label: - + &Etiqueta: Choose previously used address - + Tria una adreça feta servir anteriorment This is a normal payment. - + Això és un pagament normal. Alt+A - + Alta+A Paste address from clipboard - + Enganxar adreça del porta-retalls Alt+P - + Alt+P Remove this entry - + Elimina aquesta entrada Message: - + Missatge: This is a verified payment request. - + Aquesta és una sol·licitud de pagament verificada. Enter a label for this address to add it to the list of used addresses - + Introduïu una etiqueta per a aquesta adreça per afegir-la a la llista d'adreces utilitzades A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Un missatge que s'ha adjuntat al bitcoin: URI que s'emmagatzemarà amb la transacció per a la vostra referència. Nota: el missatge no s'enviarà a través de la xarxa Bitcoin. This is an unverified payment request. - + Aquesta és una sol·licitud de pagament no verificada. Pay To: - + Paga a: Memo: - + Memo: ShutdownWindow Bitcoin Core is shutting down... - + S'està aturant el Bitcoin Core... Do not shut down the computer until this window disappears. - + No apagueu l'ordinador fins que no desaparegui aquesta finestra. SignVerifyMessageDialog Signatures - Sign / Verify a Message - + Signatures - Signa / verifica un missatge &Sign Message - + &Signa el missatge You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - + Podeu signar missatges amb la vostra adreça per provar que són vostres. Aneu amb compte no signar qualsevol cosa, ja que els atacs de pesca electrònica (phishing) poden provar de confondre-us perquè els signeu amb la vostra identitat. Només signeu als documents completament detallats amb què hi esteu d'acord. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça amb què signar els missatges (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - + Tria les adreces fetes servir amb anterioritat Alt+A - + Alt+A Paste address from clipboard - + Enganxa l'adreça del porta-retalls Alt+P - + Alt+P Enter the message you want to sign here - + Introduïu aquí el missatge que voleu signar Signature - + Signatura Copy the current signature to the system clipboard - + Copia la signatura actual al porta-retalls del sistema Sign the message to prove you own this Bitcoin address - + Signa el missatge per provar que ets propietari d'aquesta adreça Bitcoin Sign &Message - + Signa el &missatge Reset all sign message fields - + Neteja tots els camps de clau Clear &All - + Neteja-ho &tot &Verify Message - + &Verifica el missatge Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - + Introdueixi l'adreça signant, missatge (assegura't que copies salts de línia, espais, tabuladors, etc excactament tot el text) i la signatura a sota per verificar el missatge. Per evitar ser enganyat per un atac home-entre-mig, vés amb compte de no llegir més en la signatura del que hi ha al missatge signat mateix. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça amb el que el missatge va ser signat (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify the message to ensure it was signed with the specified Bitcoin address - + Verificar el missatge per assegurar-se que ha estat signat amb una adreça Bitcoin específica Verify &Message - + Verifica el &missatge Reset all verify message fields - + Neteja tots els camps de verificació de missatge Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Introduïu una adreça de Bitcoin (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - + Click "Sign Message" to generate signature + Feu clic a «Signa el missatge» per a generar una signatura The entered address is invalid. - + L'adreça introduïda no és vàlida. Please check the address and try again. - + Comproveu l'adreça i torneu-ho a provar. The entered address does not refer to a key. - + L'adreça introduïda no referencia a cap clau. Wallet unlock was cancelled. - + El desbloqueig del moneder ha estat cancelat. Private key for the entered address is not available. - + La clau privada per a la adreça introduïda no està disponible. Message signing failed. - + La signatura del missatge ha fallat. Message signed. - + Missatge signat. The signature could not be decoded. - + La signatura no s'ha pogut descodificar. Please check the signature and try again. - + Comproveu la signatura i torneu-ho a provar. The signature did not match the message digest. - + La signatura no coincideix amb el resum del missatge. Message verification failed. - + Ha fallat la verificació del missatge. Message verified. - + Missatge verificat. SplashScreen Bitcoin Core - + Bitcoin Core The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core [testnet] @@ -2126,168 +2139,168 @@ Address: %4 TrafficGraphWidget KB/s - + KB/s TransactionDesc Open until %1 - + Obert fins %1 conflicted - + en conflicte %1/offline - + %1/fora de línia %1/unconfirmed - + %1/sense confirmar %1 confirmations - + %1 confirmacions Status - + Estat , broadcast through %n node(s) - + , difusió a través de %n node, difusió a través de %n nodes Date - + Data Source - + Font Generated - + Generat From - + Des de To - + A own address - + Adreça pròpia label - + etiqueta Credit - + Crèdit matures in %n more block(s) - + disponible en %n bloc mésdisponibles en %n blocs més not accepted - + no acceptat Debit - + Dèbit Transaction fee - + Comissió de transacció Net amount - + Import net Message - + Missatge Comment - + Comentar Transaction ID - + ID de transacció Merchant - + Mercader - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Les monedes generades han de madurar %1 blocs abans de poder ser gastades. Quan genereu aquest bloc, es farà saber a la xarxa per tal d'afegir-lo a la cadena de blocs. Si no pot fer-se lloc a la cadena, el seu estat canviarà a «no acceptat» i no es podrà gastar. Això pot passar ocasionalment si un altre node genera un bloc en un marge de segons respecte al vostre. Debug information - + Informació de depuració Transaction - + Transacció Inputs - + Entrades Amount - + Import true - + cert false - + fals , has not been successfully broadcast yet - + , encara no ha estat emès correctement Open for %n more block(s) - + Obre per %n bloc mésObre per %n blocs més unknown - + desconegut TransactionDescDialog Transaction details - + Detall de la transacció This pane shows a detailed description of the transaction - + Aquest panell mostra una descripció detallada de la transacció TransactionTableModel Date - + Data Type - + Tipus Address @@ -2295,194 +2308,194 @@ Address: %4 Amount - + Import Immature (%1 confirmations, will be available after %2) - + Immadur (%1 confirmacions, serà disponible després de %2) Open for %n more block(s) - + Obre per %n bloc mésObre per %n blocs més Open until %1 - + Obert fins %1 Confirmed (%1 confirmations) - + Confirmat (%1 confirmacions) This block was not received by any other nodes and will probably not be accepted! - + Aquest bloc no ha estat rebut per cap altre node i probablement no serà acceptat! Generated but not accepted - + Generat però no acceptat Offline - + Fora de línia Unconfirmed - + Sense confirmar Confirming (%1 of %2 recommended confirmations) - + Confirmant (%1 de %2 confirmacions recomanades) Conflicted - + En conflicte Received with - + Rebut amb Received from - + Rebut de Sent to - + Enviat a Payment to yourself - + Pagament a un mateix Mined - + Minat (n/a) - + (n/a) Transaction status. Hover over this field to show number of confirmations. - + Estat de la transacció. Desplaceu-vos sobre aquest camp per mostrar el nombre de confirmacions. Date and time that the transaction was received. - + Data i hora en que la transacció va ser rebuda. Type of transaction. - + Tipus de transacció. Destination address of transaction. - + Adreça del destinatari de la transacció. Amount removed from or added to balance. - + Import extret o afegit del balanç. TransactionView All - + Tot Today - + Avui This week - + Aquesta setmana This month - + Aquest mes Last month - + El mes passat This year - + Enguany Range... - + Rang... Received with - + Rebut amb Sent to - + Enviat a To yourself - + A un mateix Mined - + Minat Other - + Altres Enter address or label to search - + Introduïu una adreça o una etiqueta per cercar Min amount - + Import mínim Copy address - + Copia l'adreça Copy label - + Copiar etiqueta Copy amount - + Copia l'import Copy transaction ID - + Copiar ID de transacció Edit label - + Editar etiqueta Show transaction details - + Mostra detalls de la transacció Export Transaction History - + Exporta l'historial de transacció Exporting Failed - + L'exportació ha fallat There was an error trying to save the transaction history to %1. - + S'ha produït un error en provar de desar l'historial de transacció a %1. Exporting Successful - + Exportació amb èxit The transaction history was successfully saved to %1. - + L'historial de transaccions s'ha desat correctament a %1. Comma separated file (*.csv) @@ -2490,15 +2503,15 @@ Address: %4 Confirmed - + Confirmat Date - + Data Type - + Tipus Label @@ -2510,151 +2523,151 @@ Address: %4 Amount - + Import ID - + ID Range: - + Rang: to - + a WalletFrame No wallet has been loaded. - + No s'ha carregat cap moneder. WalletModel Send Coins - + Envia monedes WalletView &Export - + &Exporta Export the data in the current tab to a file - + Exporta les dades de la pestanya actual a un fitxer Backup Wallet - + Còpia de seguretat del moneder Wallet Data (*.dat) - + Dades del moneder (*.dat) Backup Failed - + Ha fallat la còpia de seguretat There was an error trying to save the wallet data to %1. - + S'ha produït un error en provar de desar les dades del moneder a %1. The wallet data was successfully saved to %1. - + S'han desat les dades del moneder correctament a %1. Backup Successful - + La còpia de seguretat s'ha realitzat correctament bitcoin-core Usage: - + Ús: List commands - + Llista d'ordres Get help for a command - + Obté ajuda d'una ordre. Options: - + Opcions: Specify configuration file (default: bitcoin.conf) - + Especifica un fitxer de configuració (per defecte: bitcoin.conf) Specify pid file (default: bitcoind.pid) - + Especifica un fitxer pid (per defecte: bitcoind.pid) Specify data directory - + Especifica el directori de dades Listen for connections on <port> (default: 8333 or testnet: 18333) - + Escolta connexions a <port> (per defecte: 8333 o testnet: 18333) Maintain at most <n> connections to peers (default: 125) - + Manté com a molt <n> connexions a iguals (per defecte: 125) Connect to a node to retrieve peer addresses, and disconnect - + Connecta al node per obtenir les adreces de les connexions, i desconnecta Specify your own public address - + Especifiqueu la vostra adreça pública Threshold for disconnecting misbehaving peers (default: 100) - + Límit per a desconectar connexions errònies (per defecte: 100) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Nombre de segons abans de reconectar amb connexions errònies (per defecte: 86400) An error occurred while setting up the RPC port %u for listening on IPv4: %s - + S'ha produït un error al configurar el port RPC %u escoltant a IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + Escolta connexions JSON-RPC al port <port> (per defecte: 8332 o testnet:18332) Accept command line and JSON-RPC commands - + Accepta la línia d'ordres i ordres JSON-RPC Bitcoin Core RPC client version - + Versió del client RPC del Bitcoin Core Run in the background as a daemon and accept commands - + Executa en segon pla com a programa dimoni i accepta ordres Use the test network - + Utilitza la xarxa de prova Accept connections from outside (default: 1 if no -proxy or -connect) - + Accepta connexions de fora (per defecte: 1 si no -proxy o -connect) %s, you must set a rpcpassword in the configuration file: @@ -2666,695 +2679,707 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - + %s, heu de establir una contrasenya RPC al fitxer de configuració: %s + +Es recomana que useu la següent contrasenya aleatòria: +rpcuser=bitcoinrpc +rpcpassword=%s +(no necesiteu recordar aquesta contrasenya) +El nom d'usuari i la contrasenya NO HAN de ser els mateixos. +Si el fitxer no existeix, crea'l amb els permisos de fitxer de només lectura per al propietari. +També es recomana establir la notificació d'alertes i així sereu notificat de les incidències; +per exemple: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Xifrats acceptables (per defecte: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + S'ha produït un error en configurar el port RPC %u escoltant a IPv6, retrocedint a IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - + Vincula a una adreça específica i sempre escolta-hi. Utilitza la notació [host]:port per IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Limita contínuament les transaccions gratuïtes a <n>*1000 bytes per minut (per defecte: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Entra en el mode de prova de regressió, que utilitza una cadena especial en què els blocs es poden resoldre al moment. Això està pensat per a les eines de proves de regressió i per al desenvolupament d'aplicacions. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Entra en el mode de proves de regressió, que utilitza una cadena especial en què els blocs poden resoldre's al moment. Error: Listening for incoming connections failed (listen returned error %d) - + Error: no s'han pogut escoltar les connexions entrants (l'escoltament a retornat l'error %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Error: La transacció ha estat rebutjada. Això pot passar si alguna de les monedes del teu moneder ja s'han gastat, com si haguesis usat una copia de l'arxiu wallet.dat i s'haguessin gastat monedes de la copia però sense marcar com gastades en aquest. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + Error: Aquesta transacció requereix una comissió d'almenys %s degut al seu import, complexitat o per l'ús de fons recentment rebuts! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Executa una ordre quan una transacció del moneder canviï (%s en cmd es canvia per TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: - + Les comissions inferiors que aquesta es consideren comissió zero (per a la creació de la transacció) (per defecte: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Buida l'activitat de la base de dades de la memòria disponible al registre del disc cada <n> megabytes (per defecte: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Com d'exhaustiva és la verificació de blocs de -checkblocks is (0-4, per defecte: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + En aquest mode -genproclimit controla quants blocs es generen immediatament. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Defineix el nombre de fils de verificació d'scripts (%u a %d, 0 = auto, <0 = deixa tants nuclis lliures, per defecte: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Defineix el límit de processadors quan està activada la generació (-1 = sense límit, per defecte: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - + Aquesta és una versió de pre-llançament - utilitza-la sota la teva responsabilitat - No usar per a minería o aplicacions de compra-venda Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + No es pot enllaçar %s a aquest ordinador. El Bitcoin Core probablement ja estigui executant-s'hi. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Utilitza un proxy SOCKS5 apart per arribar a iguals a través de serveis de Tor ocults (per defecte: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Avís: el -paytxfee és molt elevat! Aquesta és la comissió de transacció que pagareu si envieu una transacció. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Avís: comproveu que la data i l'hora del vostre ordinador siguin correctes! Si el rellotge està mal configurat, Bitcoin no funcionarà de manera apropiada. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Avís: la xarxa no sembla que hi estigui plenament d'acord. Alguns miners sembla que estan experimentant problemes. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Avís: sembla que no estem plenament d'acord amb els nostres iguals! Podria caler que actualitzar l'aplicació, o potser que ho facin altres nodes. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Avís: error en llegir el fitxer wallet.dat! Totes les claus es llegeixen correctament, però hi ha dades de transaccions o entrades de la llibreta d'adreces absents o bé son incorrectes. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Avís: el fitxer wallet.dat és corrupte, dades rescatades! L'arxiu wallet.dat original ha estat desat com wallet.{estampa_temporal}.bak al directori %s; si el teu balanç o transaccions son incorrectes hauries de restaurar-lo de un backup. (default: 1) - + (per defecte: 1) (default: wallet.dat) - + (per defecte: wallet.dat) <category> can be: - + <category> pot ser: Attempt to recover private keys from a corrupt wallet.dat - + Intenta recuperar les claus privades d'un fitxer wallet.dat corrupte Bitcoin Core Daemon - + Dimoni del Bitcoin Core Block creation options: - + Opcions de la creació de blocs: Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Neteja la llista de transaccions del moneder (eina de diagnòstic; implica -rescan) Connect only to the specified node(s) - + Connecta només al(s) node(s) especificats Connect through SOCKS proxy - + Connecta a través d'un proxy SOCKS Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Connecta a JSON-RPC des de <port> (per defecte: 8332 o testnet: 18332) Connection options: - + Opcions de connexió: Corrupted block database detected - + S'ha detectat una base de dades de blocs corrupta Debugging/Testing options: - + Opcions de depuració/proves: Disable safemode, override a real safe mode event (default: 0) - + Inhabilia el mode segur (safemode), invalida un esdeveniment de mode segur real (per defecte: 0) Discover own IP address (default: 1 when listening and no -externalip) - + Descobreix la pròpia adreça IP (per defecte: 1 quan escoltant i no -externalip) Do not load the wallet and disable wallet RPC calls - + No carreguis el moneder i inhabilita les crides RPC del moneder Do you want to rebuild the block database now? - + Voleu reconstruir la base de dades de blocs ara? Error initializing block database - + Error carregant la base de dades de blocs Error initializing wallet database environment %s! - + Error inicialitzant l'entorn de la base de dades del moneder %s! Error loading block database - + Error carregant la base de dades del bloc Error opening block database - + Error en obrir la base de dades de blocs Error: Disk space is low! - + Error: Espai al disc baix! Error: Wallet locked, unable to create transaction! - + Error: El moneder està bloquejat, no és possible crear la transacció! Error: system error: - + Error: error de sistema: Failed to listen on any port. Use -listen=0 if you want this. - + Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. Failed to read block info - + Ha fallat la lectura de la informació del bloc Failed to read block - + Ha fallat la lectura del bloc Failed to sync block index - + Ha fallat la sincronització de l'índex de blocs Failed to write block index - + Ha fallat la escriptura de l'índex de blocs Failed to write block info - + Ha fallat la escriptura de la informació de bloc Failed to write block - + Ha fallat l'escriptura del bloc Failed to write file info - + Ha fallat l'escriptura de la informació de fitxer Failed to write to coin database - + Ha fallat l'escriptura de la basse de dades de monedes Failed to write transaction index - + Ha fallat l'escriptura de l'índex de transaccions Failed to write undo data - + Ha fallat el desfer de dades Fee per kB to add to transactions you send - + Comissió per kB per afegir a les transaccions que envieu Fees smaller than this are considered zero fee (for relaying) (default: - + Les comissions inferiors que aquesta es consideren comissions zero (a efectes de transmissió) (per defecte: Find peers using DNS lookup (default: 1 unless -connect) - + Cerca punts de connexió usant rastreig de DNS (per defecte: 1 tret d'usar -connect) Force safe mode (default: 0) - + Força el mode segur (per defecte: 0) Generate coins (default: 0) - + Genera monedes (per defecte: 0) How many blocks to check at startup (default: 288, 0 = all) - + Quants blocs s'han de confirmar a l'inici (per defecte: 288, 0 = tots) If <category> is not supplied, output all debugging information. - + Si no se subministra <category>, mostra tota la informació de depuració. Importing... - + S'està important... Incorrect or no genesis block found. Wrong datadir for network? - + No s'ha trobat el bloc de gènesi o és incorrecte. El directori de dades de la xarxa és incorrecte? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Adreça -onion no vàlida: '%s' Not enough file descriptors available. - + No hi ha suficient descriptors de fitxers disponibles. Prepend debug output with timestamp (default: 1) - + Posa davant de la sortida de depuració una marca horària (per defecte: 1) RPC client options: - + Opcions del client RPC: Rebuild block chain index from current blk000??.dat files - + Reconstrueix l'índex de la cadena de blocs dels fitxers actuals blk000??.dat Select SOCKS version for -proxy (4 or 5, default: 5) - + Selecciona la versió de SOCKS del -proxy (4 o 5, per defecte: 5) Set database cache size in megabytes (%d to %d, default: %d) - + Defineix la mida de la memòria cau de la base de dades en megabytes (%d a %d, per defecte: %d) Set maximum block size in bytes (default: %d) - + Defineix la mida màxim del bloc en bytes (per defecte: %d) Set the number of threads to service RPC calls (default: 4) - + Estableix el nombre de fils per atendre trucades RPC (per defecte: 4) Specify wallet file (within data directory) - + Especifica un fitxer de moneder (dins del directori de dades) Spend unconfirmed change when sending transactions (default: 1) - + Gasta el canvi sense confirmar en enviar transaccions (per defecte: 1) This is intended for regression testing tools and app development. - + Això es així per a eines de proves de regressió per al desenvolupament d'aplicacions. Usage (deprecated, use bitcoin-cli): - + Ús (obsolet, feu servir bitcoin-cli): Verifying blocks... - + S'estan verificant els blocs... Verifying wallet... - + S'està verificant el moneder... Wait for RPC server to start - + Espereu el servidor RPC per començar Wallet %s resides outside data directory %s - + El moneder %s resideix fora del directori de dades %s Wallet options: - + Opcions de moneder: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Avís: argument obsolet -debugnet ignorat, feu servir -debug=net You need to rebuild the database using -reindex to change -txindex - + Cal que reconstruïu la base de dades fent servir -reindex per canviar -txindex Imports blocks from external blk000??.dat file - + Importa blocs de un fitxer blk000??.dat extern Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + No es pot obtenir un bloqueig del directori de dades %s. El Bitcoin Core probablement ja s'estigui executant. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Executa l'ordre quan es rebi un avís rellevant o veiem una forquilla molt llarga (%s en cmd és reemplaçat per un missatge) Output debugging information (default: 0, supplying <category> is optional) - + Informació de la depuració de sortida (per defecte: 0, proporcionar <category> és opcional) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Defineix la mida màxima de transaccions d'alta prioritat / baixa comissió en bytes (per defecte: %d) Information - + Informació - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Import no vàlid per a -minrelaytxfee=<amount>: «%s» - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + Import no vàlid per a -mintxfee=<amount>: «%s» Limit size of signature cache to <n> entries (default: 50000) - + Mida límit de la memòria cau de signatura per a <n> entrades (per defecte: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Registra la prioritat de transacció i comissió per kB en minar blocs (per defecte: 0) Maintain a full transaction index (default: 0) - + Manté l'índex sencer de transaccions (per defecte: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Mida màxima del buffer de recepció per a cada connexió, <n>*1000 bytes (default: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Mida màxima del buffer d'enviament per a cada connexió, <n>*1000 bytes (default: 5000) Only accept block chain matching built-in checkpoints (default: 1) - + Només accepta cadenes de blocs que coincideixin amb els punts de prova (per defecte: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Només connecta als nodes de la xarxa <net> (IPv4, IPv6 o Tor) Print block on startup, if found in block index - + Imprimeix el block a l'inici, si es troba l'índex de blocs Print block tree on startup (default: 0) - + Imprimeix l'arbre de blocs a l'inici (per defecte: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcions RPC SSL: (veieu el wiki del Bitcoin per a instruccions de configuració de l'SSL) RPC server options: - + Opcions del servidor RPC: Randomly drop 1 of every <n> network messages - + Descarta a l'atzar 1 de cada <n> missatges de la xarxa Randomly fuzz 1 of every <n> network messages - + Introdueix incertesa en 1 de cada <n> missatges de la xarxa Run a thread to flush wallet periodically (default: 1) - + Executa un fil per buidar el moneder periòdicament (per defecte: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcions SSL: (veure la Wiki de Bitcoin per a instruccions de configuració SSL) Send command to Bitcoin Core - + Envia una ordre al Bitcoin Core Send trace/debug info to console instead of debug.log file - + Envia informació de traça/depuració a la consola en comptes del fitxer debug.log Set minimum block size in bytes (default: 0) - + Defineix una mida mínima de bloc en bytes (per defecte: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Defineix el senyal DB_PRIVATE en l'entorn db del moneder (per defecte: 1) Show all debugging options (usage: --help -help-debug) - + Mostra totes les opcions de depuració (ús: --help --help-debug) Show benchmark information (default: 0) - + Mostra la informació del test de referència (per defecte: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - + Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) Signing transaction failed - + Ha fallat la signatura de la transacció Specify connection timeout in milliseconds (default: 5000) - + Especifica el temps limit per a un intent de connexió en mil·lisegons (per defecte: 5000) Start Bitcoin Core Daemon - + Inicia el dimoni del Bitcoin Core System error: - + Error de sistema: Transaction amount too small - + Import de la transacció massa petit Transaction amounts must be positive - + Els imports de les transaccions han de ser positius Transaction too large - + La transacció és massa gran Use UPnP to map the listening port (default: 0) - + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 0) Use UPnP to map the listening port (default: 1 when listening) - + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 1 quan s'escolta) Username for JSON-RPC connections - + Nom d'usuari per a connexions JSON-RPC Warning - + Avís Warning: This version is obsolete, upgrade required! - + Avís: aquesta versió està obsoleta. És necessari actualitzar-la! Zapping all transactions from wallet... - + Se suprimeixen totes les transaccions del moneder... on startup - + a l'inici de l'aplicació version - + versió wallet.dat corrupt, salvage failed - + El fitxer wallet.data és corrupte. El rescat de les dades ha fallat Password for JSON-RPC connections - + Contrasenya per a connexions JSON-RPC Allow JSON-RPC connections from specified IP address - + Permetre connexions JSON-RPC d'adreces IP específiques Send commands to node running on <ip> (default: 127.0.0.1) - + Envia ordres al node en execució a <ip> (per defecte: 127.0.0.1) Execute command when the best block changes (%s in cmd is replaced by block hash) - + Executa l'ordre quan el millor bloc canviï (%s en cmd es reemplaça per un resum de bloc) Upgrade wallet to latest format - + Actualitza el moneder a l'últim format Set key pool size to <n> (default: 100) - + Defineix el límit de nombre de claus a <n> (per defecte: 100) Rescan the block chain for missing wallet transactions - + Reescaneja la cadena de blocs en les transaccions de moneder perdudes Use OpenSSL (https) for JSON-RPC connections - + Utilitza OpenSSL (https) per a connexions JSON-RPC Server certificate file (default: server.cert) - + Fitxer del certificat de servidor (per defecte: server.cert) Server private key (default: server.pem) - + Clau privada del servidor (per defecte: server.pem) This help message - + Aquest misatge d'ajuda Unable to bind to %s on this computer (bind returned error %d, %s) - + No es pot vincular %s amb aquest ordinador (s'ha retornat l'error %d, %s) Allow DNS lookups for -addnode, -seednode and -connect - + Permet consultes DNS per a -addnode, -seednode i -connect Loading addresses... - + S'estan carregant les adreces... Error loading wallet.dat: Wallet corrupted - + Error en carregar wallet.dat: Moneder corrupte Error loading wallet.dat: Wallet requires newer version of Bitcoin - + Error en carregar wallet.dat: El moneder requereix una versió del Bitcoin més moderna Wallet needed to be rewritten: restart Bitcoin to complete - + Cal reescriure el moneder: reinicieu el Bitcoin per a completar la tasca Error loading wallet.dat - + Error en carregar wallet.dat - Invalid -proxy address: '%s' - + Invalid -proxy address: '%s' + Adreça -proxy invalida: '%s' - Unknown network specified in -onlynet: '%s' - + Unknown network specified in -onlynet: '%s' + Xarxa desconeguda especificada a -onlynet: '%s' Unknown -socks proxy version requested: %i - + S'ha demanat una versió desconeguda de -socks proxy: %i - Cannot resolve -bind address: '%s' - + Cannot resolve -bind address: '%s' + No es pot resoldre l'adreça -bind: '%s' - Cannot resolve -externalip address: '%s' - + Cannot resolve -externalip address: '%s' + No es pot resoldre l'adreça -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - + Invalid amount for -paytxfee=<amount>: '%s' + Import no vàlid per a -paytxfee=<amount>: «%s» Invalid amount - + Import no vàlid Insufficient funds - + Balanç insuficient Loading block index... - + S'està carregant l'índex de blocs... Add a node to connect to and attempt to keep the connection open - + Afegeix un node per a connectar-s'hi i intenta mantenir-hi la connexió oberta Loading wallet... - + S'està carregant el moneder... Cannot downgrade wallet - + No es pot reduir la versió del moneder Cannot write default address - + No es pot escriure l'adreça per defecte Rescanning... - + S'està reescanejant... Done loading - + Ha acabat la càrrega To use the %s option - + Utilitza l'opció %s Error - + Error You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + Heu de configurar el rpcpassword=<password> al fitxer de configuració: +%s +Si el fitxer no existeix, creeu-lo amb els permís owner-readable-only. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ca@valencia.ts b/src/qt/locale/bitcoin_ca@valencia.ts index 053cc82ebb8..5667ba5faf7 100644 --- a/src/qt/locale/bitcoin_ca@valencia.ts +++ b/src/qt/locale/bitcoin_ca@valencia.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Quant al Bitcoin Core <b>Bitcoin Core</b> version - + Versió del <b>Bitcoin Core</b> @@ -16,523 +16,528 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Això és programari experimental. + +Distribuït sota llicència de programari MIT/11, vegeu el fitxer COPYING o http://www.opensource.org/licenses/mit-license.php. + +Este producte inclou programari desenvolupat pel projecte OpenSSL per a l'ús en l'OppenSSL Toolkit (http://www.openssl.org/) i de programari criptogràfic escrit per Eric Young (eay@cryptsoft.com) i programari UPnP escrit per Thomas Bernard. Copyright - + Copyright The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core (%1-bit) - + (%1-bit) AddressBookPage Double-click to edit address or label - Doble click per editar la direccio o la etiqueta + Feu doble clic per editar l'adreça o l'etiqueta Create a new address - Crear nova direccio + Crea una nova adreça &New - + &Nova Copy the currently selected address to the system clipboard - Copieu l'adreça seleccionada al porta-retalls del sistema + Copia l'adreça seleccionada al porta-retalls del sistema &Copy - + &Copia C&lose - + &Tanca &Copy Address - + &Copia l'adreça Delete the currently selected address from the list - + Elimina l'adreça sel·leccionada actualment de la llista Export the data in the current tab to a file - + Exporta les dades de la pestanya actual a un fitxer &Export - + &Exporta &Delete - Eliminar + &Elimina Choose the address to send coins to - + Trieu una adreça on voleu enviar monedes Choose the address to receive coins with - + Trieu l'adreça on voleu rebre monedes C&hoose - + T&ria Sending addresses - + S'estan enviant les adreces Receiving addresses - + S'estan rebent les adreces These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Estes són les vostres adreces de Bitcoin per enviar els pagaments. Sempre reviseu l'import i l'adreça del destinatari abans de transferir monedes. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Estes són les vostres adreces Bitcoin per rebre pagaments. Es recomana utilitzar una adreça nova de recepció per a cada transacció. Copy &Label - + Copia l'&etiqueta &Edit - + &Edita Export Address List - + Exporta la llista d'adreces Comma separated file (*.csv) - + Fitxer de separació amb comes (*.csv) Exporting Failed - + L'exportació ha fallat There was an error trying to save the address list to %1. - + S'ha produït un error en provar de guardar la llista d'adreces a %1. AddressTableModel Label - + Etiqueta Address - + Adreça (no label) - + (sense etiqueta) AskPassphraseDialog Passphrase Dialog - + Diàleg de contrasenya Enter passphrase - + Introduïu una contrasenya New passphrase - + Nova contrasenya Repeat new passphrase - + Repetiu la nova contrasenya Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - + Introduïu la nova contrasenya al moneder<br/>Feu servir una contrasenya de <b>10 o més caràcters aleatoris</b>, o <b>vuit o més paraules</b>. Encrypt wallet - + Encripta el moneder This operation needs your wallet passphrase to unlock the wallet. - + Esta operació requereix la contrasenya del moneder per a desbloquejar-lo. Unlock wallet - + Desbloqueja el moneder This operation needs your wallet passphrase to decrypt the wallet. - + Esta operació requereix la contrasenya del moneder per desencriptar-lo. Decrypt wallet - + Desencripta el moneder Change passphrase - + Canvia la contrasenya Enter the old and new passphrase to the wallet. - + Introduïu tant la contrasenya antiga com la nova del moneder. Confirm wallet encryption - + Confirma l'encriptació del moneder Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Avís: si encripteu el vostre moneder i perdeu la contrasenya, <b>PERDREU TOTS ELS VOSTRES BITCOINS</b>! Are you sure you wish to encrypt your wallet? - + Esteu segur que voleu encriptar el vostre moneder? IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + IMPORTANT: Tota copia de seguretat que hàgeu realitzat hauria de ser reemplaçada pel, recentment generat, fitxer encriptat del moneder. Warning: The Caps Lock key is on! - + Avís: Les lletres majúscules estan activades! Wallet encrypted - + Moneder encriptat Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + Bitcoin es tancarà ara per acabar el procés d'encriptació. Recordeu que encriptar el moneder no protegeix completament els bitcoins de ser robats per programari maliciós instal·lat a l'ordinador. Wallet encryption failed - + L'encriptació del moneder ha fallat Wallet encryption failed due to an internal error. Your wallet was not encrypted. - + L'encriptació del moneder ha fallat per un error intern. El moneder no ha estat encriptat. The supplied passphrases do not match. - + La contrasenya introduïda no coincideix. Wallet unlock failed - + El desbloqueig del moneder ha fallat The passphrase entered for the wallet decryption was incorrect. - + La contrasenya introduïda per a desencriptar el moneder és incorrecta. Wallet decryption failed - + La desencriptació del moneder ha fallat Wallet passphrase was successfully changed. - + La contrasenya del moneder ha estat modificada correctament. BitcoinGUI Sign &message... - + Signa el &missatge... Synchronizing with network... - + S'està sincronitzant amb la xarxa ... &Overview - + &Panorama general Node - + Node Show general overview of wallet - + Mostra el panorama general del moneder &Transactions - + &Transaccions Browse transaction history - + Cerca a l'historial de transaccions E&xit - + I&x Quit application - + Ix de l'aplicació Show information about Bitcoin - + Mostra informació sobre el Bitcoin About &Qt - + Quant a &Qt Show information about Qt - + Mostra informació sobre Qt &Options... - + &Opcions... &Encrypt Wallet... - + &Encripta el moneder... &Backup Wallet... - + &Realitza una còpia de seguretat del moneder... &Change Passphrase... - + &Canvia la contrasenya... &Sending addresses... - + Adreces d'e&nviament... &Receiving addresses... - + Adreces de &recepció Open &URI... - + Obri un &URI... Importing blocks from disk... - + S'estan important els blocs del disc... Reindexing blocks on disk... - + S'estan reindexant els blocs al disc... Send coins to a Bitcoin address - + Envia monedes a una adreça Bitcoin Modify configuration options for Bitcoin - + Modifica les opcions de configuració per bitcoin Backup wallet to another location - + Realitza una còpia de seguretat del moneder a una altra ubicació Change the passphrase used for wallet encryption - + Canvia la contrasenya d'encriptació del moneder &Debug window - + &Finestra de depuració Open debugging and diagnostic console - + Obri la consola de diagnòstic i depuració &Verify message... - + &Verifica el missatge... Bitcoin - + Bitcoin Wallet - + Moneder &Send - + &Envia &Receive - + &Rep &Show / Hide - + &Mostra / Amaga Show or hide the main Window - + Mostra o amaga la finestra principal Encrypt the private keys that belong to your wallet - + Encripta les claus privades pertanyents al moneder Sign messages with your Bitcoin addresses to prove you own them - + Signa el missatges amb la seua adreça de Bitcoin per provar que les poseeixes Verify messages to ensure they were signed with specified Bitcoin addresses - + Verifiqueu els missatges per assegurar-vos que han estat signats amb una adreça Bitcoin específica. &File - + &Fitxer &Settings - + &Configuració &Help - + &Ajuda Tabs toolbar - + Barra d'eines de les pestanyes [testnet] - + [testnet] Bitcoin Core - + Bitcoin Core Request payments (generates QR codes and bitcoin: URIs) - + Sol·licita pagaments (genera codis QR i bitcoin: URI) &About Bitcoin Core - + &Quant al Bitcoin Core Show the list of used sending addresses and labels - + Mostra la llista d'adreces d'enviament i etiquetes utilitzades Show the list of used receiving addresses and labels - + Mostra la llista d'adreces de recepció i etiquetes utilitzades Open a bitcoin: URI or payment request - + Obri una bitcoin: sol·licitud d'URI o pagament &Command-line options - + Opcions de la &línia d'ordes Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Mostra el missatge d'ajuda del Bitcoin Core per obtindre una llista amb les possibles opcions de línia d'ordes de Bitcoin Bitcoin client - + Client de Bitcoin %n active connection(s) to Bitcoin network - + %n connexió activa a la xarxa Bitcoin%n connexions actives a la xarxa Bitcoin No block source available... - + No hi ha cap font de bloc disponible... Processed %1 of %2 (estimated) blocks of transaction history. - + Processat el %1 de %2 (estimat) dels blocs del històric de transaccions. Processed %1 blocks of transaction history. - + Proccessats %1 blocs del històric de transaccions. %n hour(s) - + %n hora%n hores %n day(s) - + %n dia%n dies %n week(s) - + %n setmana%n setmanes %1 and %2 - + %1 i %2 %n year(s) - + %n any%n anys %1 behind - + %1 darrere Last received block was generated %1 ago. - + El darrer bloc rebut ha estat generat fa %1. Transactions after this will not yet be visible. - + Les transaccions a partir d'això no seran visibles. Error - + Error Warning - + Avís Information - + Informació Up to date - + Al dia Catching up... - + S'està posant al dia ... Sent transaction - + Transacció enviada Incoming transaction - + Transacció entrant Date: %1 @@ -540,2121 +545,2129 @@ Amount: %2 Type: %3 Address: %4 - + Data: %1\nImport: %2\n Tipus: %3\n Adreça: %4\n Wallet is <b>encrypted</b> and currently <b>unlocked</b> - + El moneder està <b>encriptat</b> i actualment <b>desbloquejat</b> Wallet is <b>encrypted</b> and currently <b>locked</b> - + El moneder està <b>encriptat</b> i actualment <b>bloquejat</b> A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Ha tingut lloc un error fatal. Bitcoin no pot continuar executant-se de manera segura i es tancará. ClientModel Network Alert - + Alerta de xarxa CoinControlDialog Coin Control Address Selection - + Selecció de l'adreça de control de monedes Quantity: - + Quantitat: Bytes: - + Bytes: Amount: - + Import: Priority: - + Prioritat: Fee: - + Quota: Low Output: - + Baix rendiment: After Fee: - + Comissió posterior: Change: - + Canvi: (un)select all - + (des)selecciona-ho tot Tree mode - + Mode arbre List mode - + Mode llista Amount - + Import Address - + Adreça Date - + Data Confirmations - + Confirmacions Confirmed - + Confirmat Priority - + Prioritat Copy address - + Copiar adreça Copy label - + Copiar etiqueta Copy amount - + Copia l'import Copy transaction ID - + Copiar ID de transacció Lock unspent - + Bloqueja sense gastar Unlock unspent - + Desbloqueja sense gastar Copy quantity - + Copia la quantitat Copy fee - + Copia la comissió Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia el baix rendiment Copy change - + Copia el canvi highest - + El més alt higher - + Més alt high - + Alt medium-high - + mig-alt medium - + mig low-medium - + baix-mig low - + baix lower - + més baix lowest - + el més baix (%1 locked) - + (%1 bloquejada) none - + cap Dust - + Polsim yes - + no - + no This label turns red, if the transaction size is greater than 1000 bytes. - + Esta etiqueta es posa de color roig si la mida de la transacció és més gran de 1000 bytes. This means a fee of at least %1 per kB is required. - + Això comporta una comissi d'almenys %1 per kB. Can vary +/- 1 byte per input. - + Pot variar +/- 1 byte per entrada. Transactions with higher priority are more likely to get included into a block. - + Les transaccions amb una major prioritat són més propenses a ser incloses en un bloc. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Esta etiqueta es torna roja si la prioritat és menor que «mitjana». This label turns red, if any recipient receives an amount smaller than %1. - + Esta etiqueta es torna roja si qualsevol destinatari rep un import inferior a %1. This means a fee of at least %1 is required. - + Això comporta una comissió de com a mínim %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Els imports inferiors a 0.546 vegades la comissió de tramesa mínima són mostrats com a polsim. This label turns red, if the change is smaller than %1. - + Esta etiqueta es torna roja si el canvi és menor que %1. (no label) - + (sense etiqueta) change from %1 (%2) - + canvia de %1 (%2) (change) - + (canvia) EditAddressDialog Edit Address - + Editar Adreça &Label - + &Etiqueta The label associated with this address list entry - + L'etiqueta associada amb esta entrada de llista d'adreces The address associated with this address list entry. This can only be modified for sending addresses. - + L'adreça associada amb esta entrada de llista d'adreces. Només es pot modificar per a les adreces d'enviament. &Address - + &Adreça New receiving address - + Nova adreça de recepció. New sending address - + Nova adreça d'enviament Edit receiving address - + Edita les adreces de recepció Edit sending address - + Edita les adreces d'enviament - The entered address "%1" is already in the address book. - + The entered address "%1" is already in the address book. + L'adreça introduïda «%1» ja és present a la llibreta d'adreces. - The entered address "%1" is not a valid Bitcoin address. - + The entered address "%1" is not a valid Bitcoin address. + L'adreça introduïda «%1» no és una adreça de Bitcoin vàlida. Could not unlock wallet. - + No s'ha pogut desbloquejar el moneder. New key generation failed. - + Ha fallat la generació d'una nova clau. FreespaceChecker A new data directory will be created. - + Es crearà un nou directori de dades. name - + nom Directory already exists. Add %1 if you intend to create a new directory here. - + El directori ja existeix. Afig %1 si vols crear un nou directori en esta ubicació. Path already exists, and is not a directory. - + El camí ja existeix i no és cap directori. Cannot create data directory here. - + No es pot crear el directori de dades ací. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - opcions de línia d'ordes Bitcoin Core - + Bitcoin Core version - + versió Usage: - + Ús: command-line options - + Opcions de la línia d'ordes UI options - + Opcions d'IU - Set language, for example "de_DE" (default: system locale) - + Set language, for example "de_DE" (default: system locale) + Defineix un idioma, per exemple "de_DE" (per defecte: preferències locals de sistema) Start minimized - + Inicia minimitzat Set SSL root certificates for payment request (default: -system-) - + Defineix certificats arrel SSL per a la sol·licitud de pagament (per defecte: -sistema-) Show splash screen on startup (default: 1) - + Mostra la finestra de benvinguda a l'inici (per defecte: 1) Choose data directory on startup (default: 0) - + Tria el directori de dades a l'inici (per defecte: 0) Intro Welcome - + Vos donem la benviguda Welcome to Bitcoin Core. - + Vos donem la benvinguda al Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Atès que és la primera vegada que executeu el programa, podeu triar on emmagatzemarà el Bitcoin Core les dades. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + El Bitcoin Core descarregarà i emmagatzemarà una còpia de la cadena de blocs de Bitcoin. Com a mínim s'emmagatzemaran %1 GB de dades en este directori, que seguiran creixent gradualment. També s'hi emmagatzemarà el moneder. Use the default data directory - + Utilitza el directori de dades per defecte Use a custom data directory: - + Utilitza un directori de dades personalitzat: Bitcoin - + Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Error: el directori de dades especificat «%1» no es pot crear. Error - + Error GB of free space available - + GB d'espai lliure disponible (of %1GB needed) - + (d' %1GB necessari) OpenURIDialog Open URI - + Obri un URI Open payment request from URI or file - + Obri una sol·licitud de pagament des d'un URI o un fitxer URI: - + URI: Select payment request file - + Selecciona un fitxer de sol·licitud de pagament Select payment request file to open - + Selecciona el fitxer de sol·licitud de pagament per obrir OptionsDialog Options - + Opcions &Main - + &Principal Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Comissió opcional de transacció per kB que ajuda a assegurar que les transaccions es processen ràpidament. La majoria de transaccions són d'1 kB. Pay transaction &fee - + Paga &comissió de transacció Automatically start Bitcoin after logging in to the system. - + Inicia automàticament el Bitcoin després de l'inici de sessió del sistema. &Start Bitcoin on system login - + &Inicia el Bitcoin a l'inici de sessió del sistema. Size of &database cache - + Mida de la memòria cau de la base de &dades MB - + MB Number of script &verification threads - + Nombre de fils de &verificació d'scripts Connect to the Bitcoin network through a SOCKS proxy. - + Connecta a la xarxa Bitcoin a través d'un proxy SOCKS. &Connect through SOCKS proxy (default proxy): - + &Connecta a través d'un proxy SOCKS (proxy per defecte): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Adreça IP del proxy (p. ex. IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL de terceres parts (p. ex. explorador de blocs) que apareix en la pestanya de transaccions com elements del menú contextual. %s en l'URL es reemplaçat pel resum de la transacció. Diferents URL estan separades per una barra vertical |. + + + Third party transaction URLs + URL de transaccions de terceres parts Active command-line options that override above options: - + Opcions de línies d'orde active que sobreescriuen les opcions de dalt: Reset all client options to default. - + Reestableix totes les opcions del client. &Reset Options - + &Reestableix les opcions &Network - + &Xarxa (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = deixa tants nuclis lliures) W&allet - + &Moneder Expert - + Expert Enable coin &control features - + Activa les funcions de &control de les monedes If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Si inhabiliteu la despesa d'un canvi sense confirmar, el canvi d'una transacció no pot ser utilitzat fins que la transacció no tinga com a mínim una confirmació. Això també afecta com es calcula el vostre balanç. &Spend unconfirmed change - + &Gasta el canvi sense confirmar Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Obri el port del client de Bitcoin al router de forma automàtica. Això només funciona quan el router implementa UPnP i l'opció està activada. Map port using &UPnP - + Port obert amb &UPnP Proxy &IP: - + &IP del proxy: &Port: - + &Port: Port of the proxy (e.g. 9050) - + Port del proxy (per exemple 9050) SOCKS &Version: - + &Versió de SOCKS: SOCKS version of the proxy (e.g. 5) - + Versió SOCKS del proxy (per exemple 5) &Window - + &Finestra Show only a tray icon after minimizing the window. - + Mostra només la icona de la barra en minimitzar la finestra. &Minimize to the tray instead of the taskbar - + &Minimitza a la barra d'aplicacions en comptes de la barra de tasques Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - + Minimitza en comptes d'eixir de la aplicació al tancar la finestra. Quan esta opció està activa, la aplicació només es tancarà al seleccionar Eixir al menú. M&inimize on close - + M&inimitza en tancar &Display - + &Pantalla User Interface &language: - + &Llengua de la interfície d'usuari: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Ací podeu definir la llengua de l'aplicació. Esta configuració tindrà efecte una vegada es reinicie Bitcoin. &Unit to show amounts in: - + &Unitats per mostrar els imports en: Choose the default subdivision unit to show in the interface and when sending coins. - + Selecciona la unitat de subdivisió per defecte per mostrar en la interfície quan s'envien monedes. Whether to show Bitcoin addresses in the transaction list or not. - + Si voleu mostrar o no adreces Bitcoin als llistats de transaccions. &Display addresses in transaction list - + &Mostra adreces al llistat de transaccions Whether to show coin control features or not. - + Si voleu mostrar les funcions de control de monedes o no. &OK - + &D'acord &Cancel - + &Cancel·la default - + Per defecte none - + cap Confirm options reset - + Confirmeu el reestabliment de les opcions Client restart required to activate changes. - + Cal reiniciar el client per activar els canvis. Client will be shutdown, do you want to proceed? - + Es pararà el client, voleu procedir? This change would require a client restart. - + Amb este canvi cal un reinici del client. The supplied proxy address is invalid. - + L'adreça proxy introduïda és invalida. OverviewPage Form - + Formulari The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + La informació mostrada pot no estar al día. El teu moneder es sincronitza automàticament amb la xarxa Bitcoin un cop s'ha establit connexió, però este proces no s'ha completat encara. Wallet - + Moneder Available: - + Disponible: Your current spendable balance - + El balanç que podeu gastar actualment Pending: - + Pendent: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Total de transaccions que encara han de confirmar-se i que encara no compten en el balanç que es pot gastar Immature: - + Immadur: Mined balance that has not yet matured - + Balanç minat que encara no ha madurat Total: - + Total: Your current total balance - + El balanç total actual <b>Recent transactions</b> - + <b>Transaccions recents</b> out of sync - + Fora de sincronia PaymentServer URI handling - + Gestió d'URI URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - + l'URI no pot ser processat! Això pot ser causat per una adreça Bitcoin no vàlida o paràmetres URI malformats. Requested payment amount of %1 is too small (considered dust). - + L'import de pagament sol·licitat %1 és massa petit (es considera polsim). Payment request error - + Error en la sol·licitud de pagament Cannot start bitcoin: click-to-pay handler - + No es pot iniciar bitcoin: gestor clica-per-pagar Net manager warning - + Avís del gestor de la xarxa - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + El vostre proxy actiu no accepta SOCKS5, que és necessari per a sol·licituds de pagament a través d'un proxy. Payment request fetch URL is invalid: %1 - + L'URL de recuperació de la sol·licitud de pagament no és vàlida: %1 Payment request file handling - + Gestió de fitxers de les sol·licituds de pagament Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + El fitxer de la sol·licitud de pagament no pot ser llegit o processat. Això pot ser a causa d'un fitxer de sol·licitud de pagament no vàlid. Unverified payment requests to custom payment scripts are unsupported. - + No s'accepten sol·licituds de pagament no verificades a scripts de pagament personalitzats. Refund from %1 - + Reemborsament de %1 Error communicating with %1: %2 - + Error en comunicar amb %1: %2 Payment request can not be parsed or processed! - + La sol·licitud de pagament no pot ser analitzada o processada! Bad response from server %1 - + Mala resposta del servidor %1 Payment acknowledged - + Pagament reconegut Network request error - + Error en la sol·licitud de xarxa QObject Bitcoin - + Bitcoin - Error: Specified data directory "%1" does not exist. - + Error: Specified data directory "%1" does not exist. + Error: El directori de dades especificat «%1» no existeix. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: no es pot analitzar el fitxer de configuració: %1. Feu servir només la sintaxi clau=valor. Error: Invalid combination of -regtest and -testnet. - + Error: combinació no vàlida de -regtest i -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + No es va tancar el Bitcoin Core de forma segura... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Introduïu una adreça de Bitcoin (p. ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget &Save Image... - + &Guarda la imatge... &Copy Image - + &Copia la imatge Save QR Code - + Guarda el codi QR PNG Image (*.png) - + Imatge PNG (*.png) RPCConsole Client name - + Nom del client N/A - + N/D Client version - + Versió del client &Information - + &Informació Debug window - + Finestra de depuració General - + General Using OpenSSL version - + Utilitzant OpenSSL versió Startup time - + &Temps d'inici Network - + Xarxa Name - + Nom Number of connections - + Nombre de connexions Block chain - + Cadena de blocs Current number of blocks - + Nombre de blocs actuals Estimated total blocks - + Total estimat de blocs Last block time - + Últim temps de bloc &Open - + &Obri &Console - + &Consola &Network Traffic - + Trà&nsit de la xarxa &Clear - + Nete&ja Totals - + Totals In: - + Dins: Out: - + Fora: Build date - + Data de compilació Debug log file - + Fitxer de registre de depuració Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Obri el fitxer de registre de depuració de Bitcoin del directori de dades actual. Això pot trigar uns quants segons per a fitxers de registre grans. Clear console - + Neteja la consola Welcome to the Bitcoin RPC console. - + Vos donem la benvinguda a la consola RPC de Bitcoin Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - + Utilitza les fletxes d'amunt i avall per navegar per l'historial, i <b>Ctrl-L<\b> per netejar la pantalla. Type <b>help</b> for an overview of available commands. - + Escriviu <b>help<\b> per a obtindre un llistat de les ordes disponibles. %1 B - + %1 B %1 KB - + %1 KB %1 MB - + %1 MB %1 GB - + %1 GB %1 m - + %1 m %1 h - + %1 h %1 h %2 m - + %1 h %2 m ReceiveCoinsDialog &Amount: - + Im&port: &Label: - + &Etiqueta: &Message: - + &Missatge: Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Reutilitza una de les adreces de recepció utilitzades anteriorment. La reutilització d'adreces pot comportar problemes de seguretat i privadesa. No ho utilitzeu llevat que torneu a generar una sol·licitud de pagament feta abans. R&euse an existing receiving address (not recommended) - + R&eutilitza una adreça de recepció anterior (no recomanat) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Un missatge opcional que s'adjuntarà a la sol·licitud de pagament, que es mostrarà quan s'òbriga la sol·licitud. Nota: El missatge no s'enviarà amb el pagament per la xarxa Bitcoin. An optional label to associate with the new receiving address. - + Una etiqueta opcional que s'associarà amb la nova adreça receptora. Use this form to request payments. All fields are <b>optional</b>. - + Utilitzeu este formulari per sol·licitar pagaments. Tots els camps són <b>opcionals</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Un import opcional per sol·licitar. Deixeu-ho en blanc o zero per no sol·licitar cap import específic. Clear all fields of the form. - + Neteja tots els camps del formulari. Clear - + Neteja Requested payments history - + Historial de pagaments sol·licitats &Request payment - + &Sol·licitud de pagament Show the selected request (does the same as double clicking an entry) - + Mostra la sol·licitud seleccionada (fa el mateix que el doble clic a una entrada) Show - + Mostra Remove the selected entries from the list - + Esborra les entrades seleccionades de la llista Remove - + Esborra Copy label - + Copia l'etiqueta Copy message - + Copia el missatge Copy amount - + Copia l'import ReceiveRequestDialog QR Code - + Codi QR Copy &URI - + Copia l'&URI Copy &Address - + Copia l'&adreça &Save Image... - + &Guarda la imatge... Request payment to %1 - + Sol·licita un pagament a %1 Payment information - + Informació de pagament URI - + URI Address - + Adreça Amount - + Import Label - + Etiqueta Message - + Missatge Resulting URI too long, try to reduce the text for label / message. - + URI resultant massa llarga, intenta reduir el text per a la etiqueta / missatge Error encoding URI into QR Code. - + Error en codificar l'URI en un codi QR. RecentRequestsTableModel Date - + Data Label - + Etiqueta Message - + Missatge Amount - + Import (no label) - + (sense etiqueta) (no message) - + (sense missatge) (no amount) - + (sense import) SendCoinsDialog Send Coins - + Envia monedes Coin Control Features - + Característiques de control de les monedes Inputs... - + Entrades... automatically selected - + seleccionat automàticament Insufficient funds! - + Fons insuficients! Quantity: - + Quantitat: Bytes: - + Bytes: Amount: - + Import: Priority: - + Prioritat: Fee: - + Comissió: Low Output: - + Eixida baixa: After Fee: - + Comissió posterior: Change: - + Canvi: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Si s'activa això, però l'adreça de canvi està buida o bé no és vàlida, el canvi s'enviarà a una adreça generada de nou. Custom change address - + Personalitza l'adreça de canvi Send to multiple recipients at once - + Envia a múltiples destinataris al mateix temps Add &Recipient - + Afig &destinatari Clear all fields of the form. - + Neteja tots els camps del formulari. Clear &All - + Neteja-ho &tot Balance: - + Balanç: Confirm the send action - + Confirma l'acció d'enviament S&end - + E&nvia Confirm send coins - + Confirma l'enviament de monedes %1 to %2 - + %1 a %2 Copy quantity - + Copia la quantitat Copy amount - + Copia l'import Copy fee - + Copia la comissi Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia l'eixida baixa Copy change - + Copia el canvi Total Amount %1 (= %2) - + Import total %1 (= %2) or - + o The recipient address is not valid, please recheck. - + L'adreça de destinatari no és vàlida, per favor comprovi-la. The amount to pay must be larger than 0. - + L'import a pagar ha de ser major que 0. The amount exceeds your balance. - + L'import supera el vostre balanç. The total exceeds your balance when the %1 transaction fee is included. - + El total excedeix el teu balanç quan s'afig la comisió a la transacció %1. Duplicate address found, can only send to each address once per send operation. - + S'ha trobat una adreça duplicada, tan sols es pot enviar a cada adreça un cop per orde d'enviament. Transaction creation failed! - + Ha fallat la creació de la transacció! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + S'ha rebutjat la transacció! Això pot passar si alguna de les monedes del vostre moneder ja s'han gastat; per exemple, si heu fet servir una còpia de seguretat del fitxer wallet.dat i s'hagueren gastat monedes de la còpia però sense marcar-les-hi com a gastades. Warning: Invalid Bitcoin address - + Avís: adreça Bitcoin no vàlida (no label) - + (sense etiqueta) Warning: Unknown change address - + Avís: adreça de canvi desconeguda Are you sure you want to send? - + Esteu segur que ho voleu enviar? added as transaction fee - + S'ha afegit una taxa de transacció Payment request expired - + La sol·licitud de pagament ha caducat Invalid payment address %1 - + Adreça de pagament no vàlida %1 SendCoinsEntry A&mount: - + Q&uantitat: Pay &To: - + Paga &a: The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça on s'envia el pagament (per exemple: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book - + Introduïu una etiqueta per a esta adreça per afegir-la a la llibreta d'adreces &Label: - + &Etiqueta: Choose previously used address - + Tria una adreça feta servir anteriorment This is a normal payment. - + Això és un pagament normal. Alt+A - + Alta+A Paste address from clipboard - + Apegar adreça del porta-retalls Alt+P - + Alt+P Remove this entry - + Elimina esta entrada Message: - + Missatge: This is a verified payment request. - + Esta és una sol·licitud de pagament verificada. Enter a label for this address to add it to the list of used addresses - + Introduïu una etiqueta per a esta adreça per afegir-la a la llista d'adreces utilitzades A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Un missatge que s'ha adjuntat al bitcoin: URI que s'emmagatzemarà amb la transacció per a la vostra referència. Nota: el missatge no s'enviarà a través de la xarxa Bitcoin. This is an unverified payment request. - + Esta és una sol·licitud de pagament no verificada. Pay To: - + Paga a: Memo: - + Memo: ShutdownWindow Bitcoin Core is shutting down... - + S'està parant el Bitcoin Core... Do not shut down the computer until this window disappears. - + No apagueu l'ordinador fins que no desaparegui esta finestra. SignVerifyMessageDialog Signatures - Sign / Verify a Message - + Signatures - Signa / verifica un missatge &Sign Message - + &Signa el missatge You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - + Podeu signar missatges amb la vostra adreça per provar que són vostres. Aneu amb compte no signar qualsevol cosa, ja que els atacs de pesca electrònica (phishing) poden provar de confondre-vos perquè els signeu amb la vostra identitat. Només signeu als documents completament detallats amb què hi esteu d'acord. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça amb què signar els missatges (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - + Tria les adreces fetes servir amb anterioritat Alt+A - + Alt+A Paste address from clipboard - + Apega l'adreça del porta-retalls Alt+P - + Alt+P Enter the message you want to sign here - + Introduïu ací el missatge que voleu signar Signature - + Signatura Copy the current signature to the system clipboard - + Copia la signatura actual al porta-retalls del sistema Sign the message to prove you own this Bitcoin address - + Signa el missatge per provar que ets propietari d'esta adreça Bitcoin Sign &Message - + Signa el &missatge Reset all sign message fields - + Neteja tots els camps de clau Clear &All - + Neteja-ho &tot &Verify Message - + &Verifica el missatge Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - + Introduïsca l'adreça signant, missatge (assegura't que copies salts de línia, espais, tabuladors, etc excactament tot el text) i la signatura a sota per verificar el missatge. Per evitar ser enganyat per un atac home-entre-mig, vés amb compte de no llegir més en la signatura del que hi ha al missatge signat mateix. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + La adreça amb el que el missatge va ser signat (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify the message to ensure it was signed with the specified Bitcoin address - + Verificar el missatge per assegurar-se que ha estat signat amb una adreça Bitcoin específica Verify &Message - + Verifica el &missatge Reset all verify message fields - + Neteja tots els camps de verificació de missatge Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Introduïu una adreça de Bitcoin (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - + Click "Sign Message" to generate signature + Feu clic a «Signa el missatge» per a generar una signatura The entered address is invalid. - + L'adreça introduïda no és vàlida. Please check the address and try again. - + Comproveu l'adreça i torneu-ho a provar. The entered address does not refer to a key. - + L'adreça introduïda no referencia a cap clau. Wallet unlock was cancelled. - + El desbloqueig del moneder ha estat cancelat. Private key for the entered address is not available. - + La clau privada per a la adreça introduïda no està disponible. Message signing failed. - + La signatura del missatge ha fallat. Message signed. - + Missatge signat. The signature could not be decoded. - + La signatura no s'ha pogut descodificar. Please check the signature and try again. - + Comproveu la signatura i torneu-ho a provar. The signature did not match the message digest. - + La signatura no coincideix amb el resum del missatge. Message verification failed. - + Ha fallat la verificació del missatge. Message verified. - + Missatge verificat. SplashScreen Bitcoin Core - + Bitcoin Core The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core [testnet] - + [testnet] TrafficGraphWidget KB/s - + KB/s TransactionDesc Open until %1 - + Obert fins %1 conflicted - + en conflicte %1/offline - + %1/fora de línia %1/unconfirmed - + %1/sense confirmar %1 confirmations - + %1 confirmacions Status - + Estat , broadcast through %n node(s) - + , difusió a través de %n node, difusió a través de %n nodes Date - + Data Source - + Font Generated - + Generat From - + Des de To - + A own address - + Adreça pròpia label - + etiqueta Credit - + Crèdit matures in %n more block(s) - + disponible en %n bloc mésdisponible en %n blocs més not accepted - + no acceptat Debit - + Dèbit Transaction fee - + Comissió de transacció Net amount - + Import net Message - + Missatge Comment - + Comentar Transaction ID - + ID de transacció Merchant - + Mercader - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Les monedes generades han de madurar %1 blocs abans de poder ser gastades. Quan genereu este bloc, es farà saber a la xarxa per tal d'afegir-lo a la cadena de blocs. Si no pot fer-se lloc a la cadena, el seu estat canviarà a «no acceptat» i no es podrà gastar. Això pot passar ocasionalment si un altre node genera un bloc en un marge de segons respecte al vostre. Debug information - + Informació de depuració Transaction - + Transacció Inputs - + Entrades Amount - + Import true - + cert false - + fals , has not been successfully broadcast yet - + , encara no ha estat emés correctement Open for %n more block(s) - + Obri per %n bloc mésObri per %n blocs més unknown - + desconegut TransactionDescDialog Transaction details - + Detall de la transacció This pane shows a detailed description of the transaction - + Este panell mostra una descripció detallada de la transacció TransactionTableModel Date - + Data Type - + Tipus Address - + Adreça Amount - + Import Immature (%1 confirmations, will be available after %2) - + Immadur (%1 confirmacions, serà disponible després de %2) Open for %n more block(s) - + Obri per %n bloc mésObri per %n blocs més Open until %1 - + Obert fins %1 Confirmed (%1 confirmations) - + Confirmat (%1 confirmacions) This block was not received by any other nodes and will probably not be accepted! - + Este bloc no ha estat rebut per cap altre node i probablement no serà acceptat! Generated but not accepted - + Generat però no acceptat Offline - + Fora de línia Unconfirmed - + Sense confirmar Confirming (%1 of %2 recommended confirmations) - + Confirmant (%1 de %2 confirmacions recomanades) Conflicted - + En conflicte Received with - + Rebut amb Received from - + Rebut de Sent to - + Enviat a Payment to yourself - + Pagament a un mateix Mined - + Minat (n/a) - + (n/a) Transaction status. Hover over this field to show number of confirmations. - + Estat de la transacció. Desplaceu-vos sobre este camp per mostrar el nombre de confirmacions. Date and time that the transaction was received. - + Data i hora en que la transacció va ser rebuda. Type of transaction. - + Tipus de transacció. Destination address of transaction. - + Adreça del destinatari de la transacció. Amount removed from or added to balance. - + Import extret o afegit del balanç. TransactionView All - + Tot Today - + Hui This week - + Esta setmana This month - + Este mes Last month - + El mes passat This year - + Enguany Range... - + Rang... Received with - + Rebut amb Sent to - + Enviat a To yourself - + A un mateix Mined - + Minat Other - + Altres Enter address or label to search - + Introduïu una adreça o una etiqueta per cercar Min amount - + Import mínim Copy address - + Copia l'adreça Copy label - + Copiar etiqueta Copy amount - + Copia l'import Copy transaction ID - + Copiar ID de transacció Edit label - + Editar etiqueta Show transaction details - + Mostra detalls de la transacció Export Transaction History - + Exporta l'historial de transacció Exporting Failed - + L'exportació ha fallat There was an error trying to save the transaction history to %1. - + S'ha produït un error en provar de guardar l'historial de transacció a %1. Exporting Successful - + Exportació amb èxit The transaction history was successfully saved to %1. - + L'historial de transaccions s'ha guardat correctament a %1. Comma separated file (*.csv) - + Fitxer separat per comes (*.csv) Confirmed - + Confirmat Date - + Data Type - + Tipus Label - + Etiqueta Address - + Adreça Amount - + Import ID - + ID Range: - + Rang: to - + a WalletFrame No wallet has been loaded. - + No s'ha carregat cap moneder. WalletModel Send Coins - + Envia monedes WalletView &Export - + &Exporta Export the data in the current tab to a file - + Exporta les dades de la pestanya actual a un fitxer Backup Wallet - + Còpia de seguretat del moneder Wallet Data (*.dat) - + Dades del moneder (*.dat) Backup Failed - + Ha fallat la còpia de seguretat There was an error trying to save the wallet data to %1. - + S'ha produït un error en provar de guardar les dades del moneder a %1. The wallet data was successfully saved to %1. - + S'han guardat les dades del moneder correctament a %1. Backup Successful - + La còpia de seguretat s'ha realitzat correctament bitcoin-core Usage: - + Ús: List commands - + Llista d'ordes Get help for a command - + Obté ajuda d'una orde. Options: - + Opcions: Specify configuration file (default: bitcoin.conf) - + Especifica un fitxer de configuració (per defecte: bitcoin.conf) Specify pid file (default: bitcoind.pid) - + Especifica un fitxer pid (per defecte: bitcoind.pid) Specify data directory - + Especifica el directori de dades Listen for connections on <port> (default: 8333 or testnet: 18333) - + Escolta connexions a <port> (per defecte: 8333 o testnet: 18333) Maintain at most <n> connections to peers (default: 125) - + Manté com a molt <n> connexions a iguals (per defecte: 125) Connect to a node to retrieve peer addresses, and disconnect - + Connecta al node per obtindre les adreces de les connexions, i desconnecta Specify your own public address - + Especifiqueu la vostra adreça pública Threshold for disconnecting misbehaving peers (default: 100) - + Límit per a desconectar connexions errònies (per defecte: 100) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Nombre de segons abans de reconectar amb connexions errònies (per defecte: 86400) An error occurred while setting up the RPC port %u for listening on IPv4: %s - + S'ha produït un error al configurar el port RPC %u escoltant a IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + Escolta connexions JSON-RPC al port <port> (per defecte: 8332 o testnet:18332) Accept command line and JSON-RPC commands - + Accepta la línia d'ordes i ordes JSON-RPC Bitcoin Core RPC client version - + Versió del client RPC del Bitcoin Core Run in the background as a daemon and accept commands - + Executa en segon pla com a programa dimoni i accepta ordes Use the test network - + Utilitza la xarxa de prova Accept connections from outside (default: 1 if no -proxy or -connect) - + Accepta connexions de fora (per defecte: 1 si no -proxy o -connect) %s, you must set a rpcpassword in the configuration file: @@ -2666,695 +2679,706 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - + %s, heu d'establir una contrasenya RPC al fitxer de configuració: %s +Es recomana que useu la següent contrasenya aleatòria: +rpcuser=bitcoinrpc +rpcpassword=%s +(no necesiteu recordar esta contrasenya) +El nom d'usuari i la contrasenya NO HAN de ser els mateixos. +Si el fitxer no existeix, crea'l amb els permisos de fitxer de només lectura per al propietari. +També es recomana establir la notificació d'alertes i així sereu notificat de les incidències; +per exemple: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Xifrats acceptables (per defecte: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + S'ha produït un error en configurar el port RPC %u escoltant a IPv6, retrocedint a IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - + Vincula a una adreça específica i sempre escolta-hi. Utilitza la notació [host]:port per IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Limita contínuament les transaccions gratuïtes a <n>*1000 bytes per minut (per defecte: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Entra en el mode de prova de regressió, que utilitza una cadena especial en què els blocs es poden resoldre al moment. Això està pensat per a les eines de proves de regressió i per al desenvolupament d'aplicacions. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Entra en el mode de proves de regressió, que utilitza una cadena especial en què els blocs poden resoldre's al moment. Error: Listening for incoming connections failed (listen returned error %d) - + Error: no s'han pogut escoltar les connexions entrants (l'escoltament a retornat l'error %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Error: La transacció ha estat rebutjada. Això pot passar si alguna de les monedes del teu moneder ja s'han gastat, com si haguesis usat una copia de l'arxiu wallet.dat i s'hagueren gastat monedes de la copia però sense marcar com gastades en este. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + Error: Esta transacció requereix una comissió d'almenys %s degut al seu import, complexitat o per l'ús de fons recentment rebuts! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Executa una orde quan una transacció del moneder canvie (%s en cmd es canvia per TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: - + Les comissions inferiors que esta es consideren comissió zero (per a la creació de la transacció) (per defecte: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Buida l'activitat de la base de dades de la memòria disponible al registre del disc cada <n> megabytes (per defecte: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Com d'exhaustiva és la verificació de blocs de -checkblocks is (0-4, per defecte: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + En este mode -genproclimit controla quants blocs es generen immediatament. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Defineix el nombre de fils de verificació d'scripts (%u a %d, 0 = auto, <0 = deixa tants nuclis lliures, per defecte: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Defineix el límit de processadors quan està activada la generació (-1 = sense límit, per defecte: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - + Esta és una versió de pre-llançament - utilitza-la sota la teva responsabilitat - No usar per a minería o aplicacions de compra-venda Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + No es pot enllaçar %s a este ordinador. El Bitcoin Core probablement ja estiga executant-s'hi. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Utilitza un proxy SOCKS5 apart per arribar a iguals a través de serveis de Tor ocults (per defecte: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Avís: el -paytxfee és molt elevat! Esta és la comissió de transacció que pagareu si envieu una transacció. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Avís: comproveu que la data i l'hora del vostre ordinador siguen correctes! Si el rellotge està mal configurat, Bitcoin no funcionarà de manera apropiada. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Avís: la xarxa no pareix que hi estiga plenament d'acord. Alguns miners pareix que estan experimentant problemes. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Avís: pareix que no estem plenament d'acord amb els nostres iguals! Podria caldre que actualitzar l'aplicació, o potser que ho facen altres nodes. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Avís: error en llegir el fitxer wallet.dat! Totes les claus es lligen correctament, però hi ha dades de transaccions o entrades de la llibreta d'adreces absents o bé son incorrectes. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Avís: el fitxer wallet.dat és corrupte, dades rescatades! L'arxiu wallet.dat original ha estat guardat com wallet.{estampa_temporal}.bak al directori %s; si el teu balanç o transaccions son incorrectes hauries de restaurar-lo de un backup. (default: 1) - + (per defecte: 1) (default: wallet.dat) - + (per defecte: wallet.dat) <category> can be: - + <category> pot ser: Attempt to recover private keys from a corrupt wallet.dat - + Intenta recuperar les claus privades d'un fitxer wallet.dat corrupte Bitcoin Core Daemon - + Dimoni del Bitcoin Core Block creation options: - + Opcions de la creació de blocs: Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Neteja la llista de transaccions del moneder (eina de diagnòstic; implica -rescan) Connect only to the specified node(s) - + Connecta només al(s) node(s) especificats Connect through SOCKS proxy - + Connecta a través d'un proxy SOCKS Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Connecta a JSON-RPC des de <port> (per defecte: 8332 o testnet: 18332) Connection options: - + Opcions de connexió: Corrupted block database detected - + S'ha detectat una base de dades de blocs corrupta Debugging/Testing options: - + Opcions de depuració/proves: Disable safemode, override a real safe mode event (default: 0) - + Inhabilia el mode segur (safemode), invalida un esdeveniment de mode segur real (per defecte: 0) Discover own IP address (default: 1 when listening and no -externalip) - + Descobreix la pròpia adreça IP (per defecte: 1 quan escoltant i no -externalip) Do not load the wallet and disable wallet RPC calls - + No carreguis el moneder i inhabilita les crides RPC del moneder Do you want to rebuild the block database now? - + Voleu reconstruir la base de dades de blocs ara? Error initializing block database - + Error carregant la base de dades de blocs Error initializing wallet database environment %s! - + Error inicialitzant l'entorn de la base de dades del moneder %s! Error loading block database - + Error carregant la base de dades del bloc Error opening block database - + Error en obrir la base de dades de blocs Error: Disk space is low! - + Error: Espai al disc baix! Error: Wallet locked, unable to create transaction! - + Error: El moneder està bloquejat, no és possible crear la transacció! Error: system error: - + Error: error de sistema: Failed to listen on any port. Use -listen=0 if you want this. - + Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. Failed to read block info - + Ha fallat la lectura de la informació del bloc Failed to read block - + Ha fallat la lectura del bloc Failed to sync block index - + Ha fallat la sincronització de l'índex de blocs Failed to write block index - + Ha fallat la escriptura de l'índex de blocs Failed to write block info - + Ha fallat la escriptura de la informació de bloc Failed to write block - + Ha fallat l'escriptura del bloc Failed to write file info - + Ha fallat l'escriptura de la informació de fitxer Failed to write to coin database - + Ha fallat l'escriptura de la basse de dades de monedes Failed to write transaction index - + Ha fallat l'escriptura de l'índex de transaccions Failed to write undo data - + Ha fallat el desfer de dades Fee per kB to add to transactions you send - + Comissió per kB per afegir a les transaccions que envieu Fees smaller than this are considered zero fee (for relaying) (default: - + Les comissions inferiors que esta es consideren comissions zero (a efectes de transmissió) (per defecte: Find peers using DNS lookup (default: 1 unless -connect) - + Cerca punts de connexió usant rastreig de DNS (per defecte: 1 tret d'usar -connect) Force safe mode (default: 0) - + Força el mode segur (per defecte: 0) Generate coins (default: 0) - + Genera monedes (per defecte: 0) How many blocks to check at startup (default: 288, 0 = all) - + Quants blocs s'han de confirmar a l'inici (per defecte: 288, 0 = tots) If <category> is not supplied, output all debugging information. - + Si no se subministra <category>, mostra tota la informació de depuració. Importing... - + S'està important... Incorrect or no genesis block found. Wrong datadir for network? - + No s'ha trobat el bloc de gènesi o és incorrecte. El directori de dades de la xarxa és incorrecte? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Adreça -onion no vàlida: '%s' Not enough file descriptors available. - + No hi ha suficient descriptors de fitxers disponibles. Prepend debug output with timestamp (default: 1) - + Posa davant de l'eixida de depuració una marca horària (per defecte: 1) RPC client options: - + Opcions del client RPC: Rebuild block chain index from current blk000??.dat files - + Reconstrueix l'índex de la cadena de blocs dels fitxers actuals blk000??.dat Select SOCKS version for -proxy (4 or 5, default: 5) - + Selecciona la versió de SOCKS del -proxy (4 o 5, per defecte: 5) Set database cache size in megabytes (%d to %d, default: %d) - + Defineix la mida de la memòria cau de la base de dades en megabytes (%d a %d, per defecte: %d) Set maximum block size in bytes (default: %d) - + Defineix la mida màxim del bloc en bytes (per defecte: %d) Set the number of threads to service RPC calls (default: 4) - + Estableix el nombre de fils per atendre trucades RPC (per defecte: 4) Specify wallet file (within data directory) - + Especifica un fitxer de moneder (dins del directori de dades) Spend unconfirmed change when sending transactions (default: 1) - + Gasta el canvi sense confirmar en enviar transaccions (per defecte: 1) This is intended for regression testing tools and app development. - + Això s'així per a eines de proves de regressió per al desenvolupament d'aplicacions. Usage (deprecated, use bitcoin-cli): - + Ús (obsolet, feu servir bitcoin-cli): Verifying blocks... - + S'estan verificant els blocs... Verifying wallet... - + S'està verificant el moneder... Wait for RPC server to start - + Espereu el servidor RPC per començar Wallet %s resides outside data directory %s - + El moneder %s resideix fora del directori de dades %s Wallet options: - + Opcions de moneder: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Avís: argument obsolet -debugnet ignorat, feu servir -debug=net You need to rebuild the database using -reindex to change -txindex - + Cal que reconstruïu la base de dades fent servir -reindex per canviar -txindex Imports blocks from external blk000??.dat file - + Importa blocs d'un fitxer blk000??.dat extern Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + No es pot obtindre un bloqueig del directori de dades %s. El Bitcoin Core probablement ja s'estiga executant. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Executa l'orde quan es reba un avís rellevant o veiem una forquilla molt llarga (%s en cmd és reemplaçat per un missatge) Output debugging information (default: 0, supplying <category> is optional) - + Informació de la depuració d'eixida (per defecte: 0, proporcionar <category> és opcional) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Defineix la mida màxima de transaccions d'alta prioritat / baixa comissió en bytes (per defecte: %d) Information - + Informació - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Import no vàlid per a -minrelaytxfee=<amount>: «%s» - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + Import no vàlid per a -mintxfee=<amount>: «%s» Limit size of signature cache to <n> entries (default: 50000) - + Mida límit de la memòria cau de signatura per a <n> entrades (per defecte: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Registra la prioritat de transacció i comissió per kB en minar blocs (per defecte: 0) Maintain a full transaction index (default: 0) - + Manté l'índex sencer de transaccions (per defecte: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Mida màxima del buffer de recepció per a cada connexió, <n>*1000 bytes (default: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Mida màxima del buffer d'enviament per a cada connexió, <n>*1000 bytes (default: 5000) Only accept block chain matching built-in checkpoints (default: 1) - + Només accepta cadenes de blocs que coincidisquen amb els punts de prova (per defecte: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Només connecta als nodes de la xarxa <net> (IPv4, IPv6 o Tor) Print block on startup, if found in block index - + Imprimeix el block a l'inici, si es troba l'índex de blocs Print block tree on startup (default: 0) - + Imprimeix l'arbre de blocs a l'inici (per defecte: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcions RPC SSL: (veieu el wiki del Bitcoin per a instruccions de configuració de l'SSL) RPC server options: - + Opcions del servidor RPC: Randomly drop 1 of every <n> network messages - + Descarta a l'atzar 1 de cada <n> missatges de la xarxa Randomly fuzz 1 of every <n> network messages - + Introdueix incertesa en 1 de cada <n> missatges de la xarxa Run a thread to flush wallet periodically (default: 1) - + Executa un fil per buidar el moneder periòdicament (per defecte: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcions SSL: (veure la Wiki de Bitcoin per a instruccions de configuració SSL) Send command to Bitcoin Core - + Envia una orde al Bitcoin Core Send trace/debug info to console instead of debug.log file - + Envia informació de traça/depuració a la consola en comptes del fitxer debug.log Set minimum block size in bytes (default: 0) - + Defineix una mida mínima de bloc en bytes (per defecte: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Defineix el senyal DB_PRIVATE en l'entorn db del moneder (per defecte: 1) Show all debugging options (usage: --help -help-debug) - + Mostra totes les opcions de depuració (ús: --help --help-debug) Show benchmark information (default: 0) - + Mostra la informació del test de referència (per defecte: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - + Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) Signing transaction failed - + Ha fallat la signatura de la transacció Specify connection timeout in milliseconds (default: 5000) - + Especifica el temps limit per a un intent de connexió en mil·lisegons (per defecte: 5000) Start Bitcoin Core Daemon - + Inicia el dimoni del Bitcoin Core System error: - + Error de sistema: Transaction amount too small - + Import de la transacció massa petit Transaction amounts must be positive - + Els imports de les transaccions han de ser positius Transaction too large - + La transacció és massa gran Use UPnP to map the listening port (default: 0) - + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 0) Use UPnP to map the listening port (default: 1 when listening) - + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 1 quan s'escolta) Username for JSON-RPC connections - + Nom d'usuari per a connexions JSON-RPC Warning - + Avís Warning: This version is obsolete, upgrade required! - + Avís: esta versió està obsoleta. És necessari actualitzar-la! Zapping all transactions from wallet... - + Se suprimeixen totes les transaccions del moneder... on startup - + a l'inici de l'aplicació version - + versió wallet.dat corrupt, salvage failed - + El fitxer wallet.data és corrupte. El rescat de les dades ha fallat Password for JSON-RPC connections - + Contrasenya per a connexions JSON-RPC Allow JSON-RPC connections from specified IP address - + Permetre connexions JSON-RPC d'adreces IP específiques Send commands to node running on <ip> (default: 127.0.0.1) - + Envia ordes al node en execució a <ip> (per defecte: 127.0.0.1) Execute command when the best block changes (%s in cmd is replaced by block hash) - + Executa l'orde quan el millor bloc canvie (%s en cmd es reemplaça per un resum de bloc) Upgrade wallet to latest format - + Actualitza el moneder a l'últim format Set key pool size to <n> (default: 100) - + Defineix el límit de nombre de claus a <n> (per defecte: 100) Rescan the block chain for missing wallet transactions - + Reescaneja la cadena de blocs en les transaccions de moneder perdudes Use OpenSSL (https) for JSON-RPC connections - + Utilitza OpenSSL (https) per a connexions JSON-RPC Server certificate file (default: server.cert) - + Fitxer del certificat de servidor (per defecte: server.cert) Server private key (default: server.pem) - + Clau privada del servidor (per defecte: server.pem) This help message - + Este misatge d'ajuda Unable to bind to %s on this computer (bind returned error %d, %s) - + No es pot vincular %s amb este ordinador (s'ha retornat l'error %d, %s) Allow DNS lookups for -addnode, -seednode and -connect - + Permet consultes DNS per a -addnode, -seednode i -connect Loading addresses... - + S'estan carregant les adreces... Error loading wallet.dat: Wallet corrupted - + Error en carregar wallet.dat: Moneder corrupte Error loading wallet.dat: Wallet requires newer version of Bitcoin - + Error en carregar wallet.dat: El moneder requereix una versió del Bitcoin més moderna Wallet needed to be rewritten: restart Bitcoin to complete - + Cal reescriure el moneder: reinicieu el Bitcoin per a completar la tasca Error loading wallet.dat - + Error en carregar wallet.dat - Invalid -proxy address: '%s' - + Invalid -proxy address: '%s' + Adreça -proxy invalida: '%s' - Unknown network specified in -onlynet: '%s' - + Unknown network specified in -onlynet: '%s' + Xarxa desconeguda especificada a -onlynet: '%s' Unknown -socks proxy version requested: %i - + S'ha demanat una versió desconeguda de -socks proxy: %i - Cannot resolve -bind address: '%s' - + Cannot resolve -bind address: '%s' + No es pot resoldre l'adreça -bind: '%s' - Cannot resolve -externalip address: '%s' - + Cannot resolve -externalip address: '%s' + No es pot resoldre l'adreça -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - + Invalid amount for -paytxfee=<amount>: '%s' + Import no vàlid per a -paytxfee=<amount>: «%s» Invalid amount - + Import no vàlid Insufficient funds - + Balanç insuficient Loading block index... - + S'està carregant l'índex de blocs... Add a node to connect to and attempt to keep the connection open - + Afig un node per a connectar-s'hi i intenta mantindre-hi la connexió oberta Loading wallet... - + S'està carregant el moneder... Cannot downgrade wallet - + No es pot reduir la versió del moneder Cannot write default address - + No es pot escriure l'adreça per defecte Rescanning... - + S'està reescanejant... Done loading - + Ha acabat la càrrega To use the %s option - + Utilitza l'opció %s Error - + Error You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + Heu de configurar el rpcpassword=<password> al fitxer de configuració: +%s +Si el fitxer no existeix, creeu-lo amb els permís owner-readable-only. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ca_ES.ts b/src/qt/locale/bitcoin_ca_ES.ts index f01e48a4357..7fbef42e5c2 100644 --- a/src/qt/locale/bitcoin_ca_ES.ts +++ b/src/qt/locale/bitcoin_ca_ES.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - Sobre el Nucli de Bitcoin + Quant al Bitcoin Core <b>Bitcoin Core</b> version - + Versió del <b>Bitcoin Core</b> @@ -16,7 +16,12 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - \n Aquest és software experimental.\n\n Distribuït sota llicència de software MIT/11, veure l'arxiu COPYING o http://www.opensource.org/licenses/mit-license.php.\n\nAquest producte inclou software desarrollat pel projecte OpenSSL per a l'ús de OppenSSL Toolkit (http://www.openssl.org/) i de softwqre criptogràfic escrit per l'Eric Young (eay@cryptsoft.com) i software UPnP escrit per en Thomas Bernard. + +Això és programari experimental. + +Distribuït sota llicència de programari MIT/11, vegeu el fitxer COPYING o http://www.opensource.org/licenses/mit-license.php. + +Aquest producte inclou programari desenvolupat pel projecte OpenSSL per a l'ús en l'OppenSSL Toolkit (http://www.openssl.org/) i de programari criptogràfic escrit per Eric Young (eay@cryptsoft.com) i programari UPnP escrit per Thomas Bernard. Copyright @@ -24,110 +29,110 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core (%1-bit) - + (%1-bit) AddressBookPage Double-click to edit address or label - Feu doble clic per editar l'adreça o l'etiqueta + Feu doble clic per editar l'adreça o l'etiqueta Create a new address - Crear una nova adreça + Crea una nova adreça &New - &Nou + &Nova Copy the currently selected address to the system clipboard - Copiar l'adreça seleccionada al porta-retalls del sistema + Copia l'adreça seleccionada al porta-retalls del sistema &Copy - &Copiar + &Copia C&lose - + &Tanca &Copy Address - &Copiar adreça + &Copia l'adreça Delete the currently selected address from the list - Esborrar l'adreça sel·leccionada + Elimina l'adreça sel·leccionada actualment de la llista Export the data in the current tab to a file - Exportar les dades de la pestanya actual a un arxiu + Exporta les dades de la pestanya actual a un fitxer &Export - &Exportar + &Exporta &Delete - &Esborrar + &Elimina Choose the address to send coins to - Escull una adreça a la qual enviar coins + Trieu una adreça on voleu enviar monedes Choose the address to receive coins with - Escull l'adreça a la quals vols rebre coins + Trieu l'adreça on voleu rebre monedes C&hoose - + T&ria Sending addresses - Enviant adreces + S'estan enviant les adreces Receiving addresses - Rebent adreces + S'estan rebent les adreces These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - Aquestes són la seva adreça de Bitcoin per enviar els pagaments. Sempre revisi la quantitat i l'adreça del destinatari abans transferència de monedes. + Aquestes són les vostres adreces de Bitcoin per enviar els pagaments. Sempre reviseu l'import i l'adreça del destinatari abans de transferir monedes. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Aquestes són les vostres adreces Bitcoin per rebre pagaments. Es recomana utilitzar una adreça nova de recepció per a cada transacció. Copy &Label - Copiar &Etiqueta + Copia l'&etiqueta &Edit - &Editar + &Edita Export Address List - Exportar la llista d'adre + Exporta la llista d'adreces Comma separated file (*.csv) - Arxiu de separació per comes (*.csv) + Fitxer de separació amb comes (*.csv) Exporting Failed - + L'exportació ha fallat There was an error trying to save the address list to %1. - + S'ha produït un error en provar de desar la llista d'adreces a %1. @@ -149,11 +154,11 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog Passphrase Dialog - Dialeg de contrasenya + Diàleg de contrasenya Enter passphrase - Introdueix contrasenya + Introduïu una contrasenya New passphrase @@ -161,19 +166,19 @@ This product includes software developed by the OpenSSL Project for use in the O Repeat new passphrase - Repeteix la nova contrasenya + Repetiu la nova contrasenya Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Introdueixi la nova contrasenya al moneder<br/>Si us plau useu una contrasenya de <b>10 o més caracters aleatoris</b>, o <b>vuit o més paraules</b>. + Introduïu la nova contrasenya al moneder<br/>Feu servir una contrasenya de <b>10 o més caràcters aleatoris</b>, o <b>vuit o més paraules</b>. Encrypt wallet - Xifrar la cartera + Encripta el moneder This operation needs your wallet passphrase to unlock the wallet. - Aquesta operació requereix la seva contrasenya del moneder per a desbloquejar-lo. + Aquesta operació requereix la contrasenya del moneder per a desbloquejar-lo. Unlock wallet @@ -181,7 +186,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to decrypt the wallet. - Aquesta operació requereix la seva contrasenya del moneder per a desencriptar-lo. + Aquesta operació requereix la contrasenya del moneder per desencriptar-lo. Decrypt wallet @@ -189,19 +194,19 @@ This product includes software developed by the OpenSSL Project for use in the O Change passphrase - Canviar la contrasenya + Canvia la contrasenya Enter the old and new passphrase to the wallet. - Introdueixi tant l'antiga com la nova contrasenya de moneder. + Introduïu tant la contrasenya antiga com la nova del moneder. Confirm wallet encryption - Confirmar l'encriptació del moneder + Confirma l'encriptació del moneder Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - Advertència: Si encripteu el vostre moneder i perdeu la constrasenya, <b>PERDREU TOTS ELS VOSTRES BITCOINS</b>! + Avís: si encripteu el vostre moneder i perdeu la contrasenya, <b>PERDREU TOTS ELS VOSTRES BITCOINS</b>! Are you sure you wish to encrypt your wallet? @@ -209,11 +214,11 @@ This product includes software developed by the OpenSSL Project for use in the O IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - IMPORTANT: Tota copia de seguretat que hagis realitzat hauria de ser reemplaçada pel, recentment generat, arxiu encriptat del moneder. + IMPORTANT: Tota copia de seguretat que hàgiu realitzat hauria de ser reemplaçada pel, recentment generat, fitxer encriptat del moneder. Warning: The Caps Lock key is on! - Advertència: Les lletres majúscules estàn activades! + Avís: Les lletres majúscules estan activades! Wallet encrypted @@ -221,15 +226,15 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Bitcoin es tancarà ara per acabar el procés d'encriptació. Recorda que encriptar el teu moneder no protegeix completament els teus bitcoins de ser robades per programari maliciós instal·lat al teu ordinador. + Bitcoin es tancarà ara per acabar el procés d'encriptació. Recordeu que encriptar el moneder no protegeix completament els bitcoins de ser robats per programari maliciós instal·lat a l'ordinador. Wallet encryption failed - L'encriptació del moneder ha fallat + L'encriptació del moneder ha fallat Wallet encryption failed due to an internal error. Your wallet was not encrypted. - L'encriptació del moneder ha fallat per un error intern. El seu moneder no ha estat encriptat. + L'encriptació del moneder ha fallat per un error intern. El moneder no ha estat encriptat. The supplied passphrases do not match. @@ -241,7 +246,7 @@ This product includes software developed by the OpenSSL Project for use in the O The passphrase entered for the wallet decryption was incorrect. - La contrasenya introduïda per a desencriptar el moneder és incorrecte. + La contrasenya introduïda per a desencriptar el moneder és incorrecta. Wallet decryption failed @@ -256,11 +261,11 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI Sign &message... - Signar &missatge... + Signa el &missatge... Synchronizing with network... - Sincronitzant amb la xarxa ... + S'està sincronitzant amb la xarxa ... &Overview @@ -272,7 +277,7 @@ This product includes software developed by the OpenSSL Project for use in the O Show general overview of wallet - Mostra panorama general del moneder + Mostra el panorama general del moneder &Transactions @@ -280,23 +285,23 @@ This product includes software developed by the OpenSSL Project for use in the O Browse transaction history - Cerca a l'historial de transaccions + Cerca a l'historial de transaccions E&xit - S&ortir + S&urt Quit application - Sortir de l'aplicació + Surt de l'aplicació Show information about Bitcoin - Mostra informació sobre Bitcoin + Mostra informació sobre el Bitcoin About &Qt - Sobre &Qt + Quant a &Qt Show information about Qt @@ -308,63 +313,63 @@ This product includes software developed by the OpenSSL Project for use in the O &Encrypt Wallet... - &Xifrar moneder + &Encripta el moneder... &Backup Wallet... - &Realitzant copia de seguretat del moneder... + &Realitza una còpia de seguretat del moneder... &Change Passphrase... - &Canviar contrasenya... + &Canvia la contrasenya... &Sending addresses... - + Adreces d'e&nviament... &Receiving addresses... - + Adreces de &recepció Open &URI... - + Obre un &URI... Importing blocks from disk... - Important blocs del disc.. + S'estan important els blocs del disc... Reindexing blocks on disk... - Re-indexant blocs al disc... + S'estan reindexant els blocs al disc... Send coins to a Bitcoin address - Enviar monedes a una adreça Bitcoin + Envia monedes a una adreça Bitcoin Modify configuration options for Bitcoin - Modificar les opcions de configuració per bitcoin + Modifica les opcions de configuració per bitcoin Backup wallet to another location - Realitzar còpia de seguretat del moneder a un altre directori + Realitza una còpia de seguretat del moneder a una altra ubicació Change the passphrase used for wallet encryption - Canviar la constrasenya d'encriptació del moneder + Canvia la contrasenya d'encriptació del moneder &Debug window - &Finestra de debug + &Finestra de depuració Open debugging and diagnostic console - Obrir la consola de diagnòstic i debugging + Obre la consola de diagnòstic i depuració &Verify message... - &Verifica el missatge.. + &Verifica el missatge... Bitcoin @@ -376,23 +381,23 @@ This product includes software developed by the OpenSSL Project for use in the O &Send - &Enviar + &Envia &Receive - &Rebre + &Rep &Show / Hide - &Mostrar / Amagar + &Mostra / Amaga Show or hide the main Window - Mostrar o amagar la finestra principal + Mostra o amaga la finestra principal Encrypt the private keys that belong to your wallet - Xifrar les claus privades pertanyents al seu moneder + Encripta les claus privades pertanyents al moneder Sign messages with your Bitcoin addresses to prove you own them @@ -400,11 +405,11 @@ This product includes software developed by the OpenSSL Project for use in the O Verify messages to ensure they were signed with specified Bitcoin addresses - Verificar els missatges per assegurar-te que han estat signades amb una adreça Bitcoin específica. + Verifiqueu els missatges per assegurar-vos que han estat signats amb una adreça Bitcoin específica. &File - &Arxiu + &Fitxer &Settings @@ -416,7 +421,7 @@ This product includes software developed by the OpenSSL Project for use in the O Tabs toolbar - Barra d'eines de seccions + Barra d'eines de les pestanyes [testnet] @@ -424,39 +429,39 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - Nucli de Bitcoin + Bitcoin Core Request payments (generates QR codes and bitcoin: URIs) - + Sol·licita pagaments (genera codis QR i bitcoin: URI) &About Bitcoin Core - + &Quant al Bitcoin Core Show the list of used sending addresses and labels - + Mostra la llista d'adreces d'enviament i etiquetes utilitzades Show the list of used receiving addresses and labels - + Mostra la llista d'adreces de recepció i etiquetes utilitzades Open a bitcoin: URI or payment request - + Obre una bitcoin: sol·licitud d'URI o pagament &Command-line options - + Opcions de la &línia d'ordres Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Mostra el missatge d'ajuda del Bitcoin Core per obtenir una llista amb les possibles opcions de línia d'ordres de Bitcoin Bitcoin client - Client Bitcoin + Client de Bitcoin %n active connection(s) to Bitcoin network @@ -464,7 +469,7 @@ This product includes software developed by the OpenSSL Project for use in the O No block source available... - + No hi ha cap font de bloc disponible... Processed %1 of %2 (estimated) blocks of transaction history. @@ -488,23 +493,23 @@ This product includes software developed by the OpenSSL Project for use in the O %1 and %2 - + %1 i %2 %n year(s) - + %n any%n anys %1 behind - %1 radera + %1 darrere Last received block was generated %1 ago. - Lúltim bloc rebut ha estat generat fa %1. + El darrer bloc rebut ha estat generat fa %1. Transactions after this will not yet be visible. - Les transaccions a partir d'això no seràn visibles. + Les transaccions a partir d'això no seran visibles. Error @@ -524,7 +529,7 @@ This product includes software developed by the OpenSSL Project for use in the O Catching up... - Posar-se al dia ... + S'està posant al dia ... Sent transaction @@ -540,7 +545,7 @@ Amount: %2 Type: %3 Address: %4 - Data: %1\nQuantitat %2\n Tipus: %3\n Adreça: %4\n + Data: %1\nImport: %2\n Tipus: %3\n Adreça: %4\n Wallet is <b>encrypted</b> and currently <b>unlocked</b> @@ -566,7 +571,7 @@ Address: %4 CoinControlDialog Coin Control Address Selection - + Selecció de l'adreça de control de monedes Quantity: @@ -578,7 +583,7 @@ Address: %4 Amount: - Quantitat: + Import: Priority: @@ -590,11 +595,11 @@ Address: %4 Low Output: - + Baix rendiment: After Fee: - Quota posterior: + Comissió posterior: Change: @@ -602,7 +607,7 @@ Address: %4 (un)select all - + (des)selecciona-ho tot Tree mode @@ -614,7 +619,7 @@ Address: %4 Amount - Quantitat + Import Address @@ -646,7 +651,7 @@ Address: %4 Copy amount - Copiar quantitat + Copia l'import Copy transaction ID @@ -654,39 +659,39 @@ Address: %4 Lock unspent - + Bloqueja sense gastar Unlock unspent - + Desbloqueja sense gastar Copy quantity - + Copia la quantitat Copy fee - + Copia la comissió Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia el baix rendiment Copy change - + Copia el canvi highest @@ -726,19 +731,19 @@ Address: %4 (%1 locked) - + (%1 bloquejada) none - + cap Dust - Pols + Polsim yes - si + no @@ -750,35 +755,35 @@ Address: %4 This means a fee of at least %1 per kB is required. - + Això comporta una comissi d'almenys %1 per kB. Can vary +/- 1 byte per input. - + Pot variar +/- 1 byte per entrada. Transactions with higher priority are more likely to get included into a block. - + Les transaccions amb una major prioritat són més propenses a ser incloses en un bloc. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Aquesta etiqueta es torna vermella si la prioritat és menor que «mitjana». This label turns red, if any recipient receives an amount smaller than %1. - + Aquesta etiqueta es torna vermella si qualsevol destinatari rep un import inferior a %1. This means a fee of at least %1 is required. - + Això comporta una comissió de com a mínim %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Els imports inferiors a 0.546 vegades la comissió de tramesa mínima són mostrats com a polsim. This label turns red, if the change is smaller than %1. - + Aquesta etiqueta es torna vermella si el canvi és menor que %1. (no label) @@ -786,11 +791,11 @@ Address: %4 change from %1 (%2) - + canvia de %1 (%2) (change) - (canviar) + (canvia) @@ -805,15 +810,15 @@ Address: %4 The label associated with this address list entry - + L'etiqueta associada amb aquesta entrada de llista d'adreces The address associated with this address list entry. This can only be modified for sending addresses. - + L'adreça associada amb aquesta entrada de llista d'adreces. Només es pot modificar per a les adreces d'enviament. &Address - &Direcció + &Adreça New receiving address @@ -821,38 +826,38 @@ Address: %4 New sending address - Nova adreça d'enviament + Nova adreça d'enviament Edit receiving address - Editar adreces de recepció + Edita les adreces de recepció Edit sending address - Editar adreces d'enviament + Edita les adreces d'enviament - The entered address "%1" is already in the address book. - L'adreça introduïda "%1" ja és present a la llibreta d'adreces. + The entered address "%1" is already in the address book. + L'adreça introduïda «%1» ja és present a la llibreta d'adreces. - The entered address "%1" is not a valid Bitcoin address. - L'adreça introduida "%1" no és una adreça Bitcoin valida. + The entered address "%1" is not a valid Bitcoin address. + L'adreça introduïda «%1» no és una adreça de Bitcoin vàlida. Could not unlock wallet. - No s'ha pogut desbloquejar el moneder. + No s'ha pogut desbloquejar el moneder. New key generation failed. - Ha fallat la generació d'una nova clau. + Ha fallat la generació d'una nova clau. FreespaceChecker A new data directory will be created. - + Es crearà un nou directori de dades. name @@ -864,22 +869,22 @@ Address: %4 Path already exists, and is not a directory. - + El camí ja existeix i no és cap directori. Cannot create data directory here. - + No es pot crear el directori de dades aquí. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - opcions de línia d'ordres Bitcoin Core - Nucli de Bitcoin + Bitcoin Core version @@ -891,66 +896,66 @@ Address: %4 command-line options - Opcions de la línia d'ordres + Opcions de la línia d'ordres UI options Opcions de IU - Set language, for example "de_DE" (default: system locale) - Definir llenguatge, per exemple "de_DE" (per defecte: Preferències locals de sistema) + Set language, for example "de_DE" (default: system locale) + Defineix un idioma, per exemple "de_DE" (per defecte: preferències locals de sistema) Start minimized - Iniciar minimitzat + Inicia minimitzat Set SSL root certificates for payment request (default: -system-) - + Defineix certificats arrel SSL per a la sol·licitud de pagament (per defecte: -sistema-) Show splash screen on startup (default: 1) - Mostrar finestra de benvinguda a l'inici (per defecte: 1) + Mostra la finestra de benvinguda a l'inici (per defecte: 1) Choose data directory on startup (default: 0) - + Tria el directori de dades a l'inici (per defecte: 0) Intro Welcome - Benvingut + Us donem la benviguda Welcome to Bitcoin Core. - Benvingut a Bitcoin Core. + Us donem la benvinguda al Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Atès que és la primera vegada que executeu el programa, podeu triar on emmagatzemarà el Bitcoin Core les dades. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + El Bitcoin Core descarregarà i emmagatzemarà una còpia de la cadena de blocs de Bitcoin. Com a mínim s'emmagatzemaran %1 GB de dades en aquest directori, que seguiran creixent gradualment. També s'hi emmagatzemarà el moneder. Use the default data directory - + Utilitza el directori de dades per defecte Use a custom data directory: - + Utilitza un directori de dades personalitzat: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Error: el directori de dades especificat «%1» no es pot crear. Error @@ -958,22 +963,22 @@ Address: %4 GB of free space available - GB d'espai lliure disponible + GB d'espai lliure disponible (of %1GB needed) - (d' %1GB necessari) + (d' %1GB necessari) OpenURIDialog Open URI - + Obre un URI Open payment request from URI or file - + Obre una sol·licitud de pagament des d'un URI o un fitxer URI: @@ -981,11 +986,11 @@ Address: %4 Select payment request file - + Selecciona un fitxer de sol·licitud de pagament Select payment request file to open - + Selecciona el fitxer de sol·licitud de pagament per obrir @@ -1000,23 +1005,23 @@ Address: %4 Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Comissió opcional de transacció per kB que ajuda a assegurar que les transaccions es processen ràpidament. La majoria de transaccions són d'1 kB. Pay transaction &fee - Pagar &comisió de transacció + Paga &comissió de transacció Automatically start Bitcoin after logging in to the system. - Iniciar automàticament Bitcoin després de l'inici de sessió del sistema. + Inicia automàticament el Bitcoin després de l'inici de sessió del sistema. &Start Bitcoin on system login - &Iniciar Bitcoin al inici de sessió del sistema. + &Inicia el Bitcoin a l'inici de sessió del sistema. Size of &database cache - + Mida de la memòria cau de la base de &dades MB @@ -1024,31 +1029,39 @@ Address: %4 Number of script &verification threads - + Nombre de fils de &verificació d'scripts Connect to the Bitcoin network through a SOCKS proxy. - + Connecta a la xarxa Bitcoin a través d'un proxy SOCKS. &Connect through SOCKS proxy (default proxy): - + &Connecta a través d'un proxy SOCKS (proxy per defecte): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Adreça IP del proxy (p. ex. IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL de terceres parts (p. ex. explorador de blocs) que apareix en la pestanya de transaccions com elements del menú contextual. %s en l'URL es reemplaçat pel resum de la transacció. Diferents URL estan separades per una barra vertical |. + + + Third party transaction URLs + URL de transaccions de terceres parts Active command-line options that override above options: - + Opcions de línies d'ordre active que sobreescriuen les opcions de dalt: Reset all client options to default. - Reestablir totes les opcions del client. + Reestableix totes les opcions del client. &Reset Options - &Reestablir Opcions + &Reestableix les opcions &Network @@ -1056,31 +1069,31 @@ Address: %4 (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = deixa tants nuclis lliures) W&allet - + &Moneder Expert - + Expert Enable coin &control features - + Activa les funcions de &control de les monedes If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Si inhabiliteu la despesa d'un canvi sense confirmar, el canvi d'una transacció no pot ser utilitzat fins que la transacció no tingui com a mínim una confirmació. Això també afecta com es calcula el vostre balanç. &Spend unconfirmed change - + &Gasta el canvi sense confirmar Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - Obrir el port del client de Bitcoin al router de forma automàtica. Això només funciona quan el teu router implementa UPnP i l'opció està activada. + Obre el port del client de Bitcoin al router de forma automàtica. Això només funciona quan el router implementa UPnP i l'opció està activada. Map port using &UPnP @@ -1112,11 +1125,11 @@ Address: %4 Show only a tray icon after minimizing the window. - Mostrar només l'icona de la barra al minimitzar l'aplicació. + Mostra només la icona de la barra en minimitzar la finestra. &Minimize to the tray instead of the taskbar - &Minimitzar a la barra d'aplicacions + &Minimitza a la barra d'aplicacions en comptes de la barra de tasques Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. @@ -1124,7 +1137,7 @@ Address: %4 M&inimize on close - M&inimitzar al tancar + M&inimitza en tancar &Display @@ -1132,35 +1145,35 @@ Address: %4 User Interface &language: - Llenguatge de la Interfície d'Usuari: + &Llengua de la interfície d'usuari: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - Aquí pots definir el llenguatge de l'aplicatiu. Aquesta configuració tindrà efecte un cop es reiniciï Bitcoin. + Aquí podeu definir la llengua de l'aplicació. Aquesta configuració tindrà efecte una vegada es reiniciï Bitcoin. &Unit to show amounts in: - &Unitats per mostrar les quantitats en: + &Unitats per mostrar els imports en: Choose the default subdivision unit to show in the interface and when sending coins. - Sel·lecciona la unitat de subdivisió per defecte per mostrar en la interficie quan s'envien monedes. + Selecciona la unitat de subdivisió per defecte per mostrar en la interfície quan s'envien monedes. Whether to show Bitcoin addresses in the transaction list or not. - Mostrar adreces Bitcoin als llistats de transaccions o no. + Si voleu mostrar o no adreces Bitcoin als llistats de transaccions. &Display addresses in transaction list - &Mostrar adreces al llistat de transaccions + &Mostra adreces al llistat de transaccions Whether to show coin control features or not. - + Si voleu mostrar les funcions de control de monedes o no. &OK - &OK + &D'acord &Cancel @@ -1172,27 +1185,27 @@ Address: %4 none - + cap Confirm options reset - Confirmi el reestabliment de les opcions + Confirmeu el reestabliment de les opcions Client restart required to activate changes. - + Cal reiniciar el client per activar els canvis. Client will be shutdown, do you want to proceed? - + S'aturarà el client, voleu procedir? This change would require a client restart. - + Amb aquest canvi cal un reinici del client. The supplied proxy address is invalid. - L'adreça proxy introduïda és invalida. + L'adreça proxy introduïda és invalida. @@ -1203,7 +1216,7 @@ Address: %4 The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - La informació mostrada pot no estar al día. El teu moneder es sincronitza automàticament amb la xarxa Bitcoin un cop s'ha establert connexió, però aquest proces no s'ha completat encara. + La informació mostrada pot no estar al día. El teu moneder es sincronitza automàticament amb la xarxa Bitcoin un cop s'ha establert connexió, però aquest proces no s'ha completat encara. Wallet @@ -1211,23 +1224,23 @@ Address: %4 Available: - + Disponible: Your current spendable balance - + El balanç que podeu gastar actualment Pending: - + Pendent: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Total de transaccions que encara han de confirmar-se i que encara no compten en el balanç que es pot gastar Immature: - Immatur: + Immadur: Mined balance that has not yet matured @@ -1239,7 +1252,7 @@ Address: %4 Your current total balance - + El balanç total actual <b>Recent transactions</b> @@ -1254,15 +1267,15 @@ Address: %4 PaymentServer URI handling - Manejant URI + Gestió d'URI URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - la URI no pot ser processada! Això es pot ser causat per una adreça Bitcoin invalida o paràmetres URI malformats. + l'URI no pot ser processat! Això pot ser causat per una adreça Bitcoin no vàlida o paràmetres URI malformats. Requested payment amount of %1 is too small (considered dust). - + L'import de pagament sol·licitat %1 és massa petit (es considera polsim). Payment request error @@ -1270,31 +1283,31 @@ Address: %4 Cannot start bitcoin: click-to-pay handler - No es pot iniciar bitcoin: manejador clicla-per-pagar + No es pot iniciar bitcoin: gestor clica-per-pagar Net manager warning - + Avís del gestor de la xarxa - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + El vostre proxy actiu no accepta SOCKS5, que és necessari per a sol·licituds de pagament a través d'un proxy. Payment request fetch URL is invalid: %1 - + L'URL de recuperació de la sol·licitud de pagament no és vàlida: %1 Payment request file handling - + Gestió de fitxers de les sol·licituds de pagament Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + El fitxer de la sol·licitud de pagament no pot ser llegit o processat. Això pot ser a causa d'un fitxer de sol·licitud de pagament no vàlid. Unverified payment requests to custom payment scripts are unsupported. - + No s'accepten sol·licituds de pagament no verificades a scripts de pagament personalitzats. Refund from %1 @@ -1302,19 +1315,19 @@ Address: %4 Error communicating with %1: %2 - + Error en comunicar amb %1: %2 Payment request can not be parsed or processed! - + La sol·licitud de pagament no pot ser analitzada o processada! Bad response from server %1 - + Mala resposta del servidor %1 Payment acknowledged - Pagament notificat + Pagament reconegut Network request error @@ -1328,39 +1341,39 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Error: El directori de dades específiques "%1! no existeix. + Error: Specified data directory "%1" does not exist. + Error: El directori de dades especificat «%1» no existeix. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: no es pot analitzar el fitxer de configuració: %1. Feu servir només la sintaxi clau=valor. Error: Invalid combination of -regtest and -testnet. - + Error: combinació no vàlida de -regtest i -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + No es va tancar el Bitcoin Core de forma segura... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Introdueixi una adreça de Bitcoin (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Introduïu una adreça de Bitcoin (p. ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget &Save Image... - + De&sa la imatge... &Copy Image - + &Copia la imatge Save QR Code - Desar codi QR + Desa el codi QR PNG Image (*.png) @@ -1375,7 +1388,7 @@ Address: %4 N/A - N/A + N/D Client version @@ -1387,7 +1400,7 @@ Address: %4 Debug window - Depura finestra + Finestra de depuració General @@ -1399,7 +1412,7 @@ Address: %4 Startup time - &Temps d'inici + &Temps d'inici Network @@ -1415,7 +1428,7 @@ Address: %4 Block chain - Bloquejar cadena + Cadena de blocs Current number of blocks @@ -1431,7 +1444,7 @@ Address: %4 &Open - &Obrir + &Obre &Console @@ -1439,11 +1452,11 @@ Address: %4 &Network Traffic - + Trà&nsit de la xarxa &Clear - + Nete&ja Totals @@ -1463,27 +1476,27 @@ Address: %4 Debug log file - Dietàri de debug + Fitxer de registre de depuració Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - Obrir el dietari de debug de Bitcoin del directori de dades actual. Aixó pot trigar uns quants segons per a dietàris grossos. + Obre el fitxer de registre de depuració de Bitcoin del directori de dades actual. Això pot trigar uns quants segons per a fitxers de registre grans. Clear console - Netejar consola + Neteja la consola Welcome to the Bitcoin RPC console. - Benvingut a la consola RPC de Bitcoin + Us donem la benvinguda a la consola RPC de Bitcoin Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - Utilitza les fletxes d'amunt i avall per navegar per l'històric, i <b>Ctrl-L<\b> per netejar la pantalla. + Utilitza les fletxes d'amunt i avall per navegar per l'historial, i <b>Ctrl-L<\b> per netejar la pantalla. Type <b>help</b> for an overview of available commands. - Escriu <b>help<\b> per a obtenir una llistat de les ordres disponibles. + Escriviu <b>help<\b> per a obtenir un llistat de les ordres disponibles. %1 B @@ -1507,7 +1520,7 @@ Address: %4 %1 h - + %1 h %1 h %2 m @@ -1518,7 +1531,7 @@ Address: %4 ReceiveCoinsDialog &Amount: - &Quantitat: + Im&port: &Label: @@ -1530,39 +1543,39 @@ Address: %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Reutilitza una de les adreces de recepció utilitzades anteriorment. La reutilització d'adreces pot comportar problemes de seguretat i privadesa. No ho utilitzeu llevat que torneu a generar una sol·licitud de pagament feta abans. R&euse an existing receiving address (not recommended) - + R&eutilitza una adreça de recepció anterior (no recomanat) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Un missatge opcional que s'adjuntarà a la sol·licitud de pagament, que es mostrarà quan s'obri la sol·licitud. Nota: El missatge no s'enviarà amb el pagament per la xarxa Bitcoin. An optional label to associate with the new receiving address. - + Una etiqueta opcional que s'associarà amb la nova adreça receptora. Use this form to request payments. All fields are <b>optional</b>. - + Utilitzeu aquest formulari per sol·licitar pagaments. Tots els camps són <b>opcionals</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Un import opcional per sol·licitar. Deixeu-ho en blanc o zero per no sol·licitar cap import específic. Clear all fields of the form. - Esborra tots els camps del formuari. + Neteja tots els camps del formulari. Clear - Esborra + Neteja Requested payments history - + Historial de pagaments sol·licitats &Request payment @@ -1570,7 +1583,7 @@ Address: %4 Show the selected request (does the same as double clicking an entry) - + Mostra la sol·licitud seleccionada (fa el mateix que el doble clic a una entrada) Show @@ -1586,38 +1599,38 @@ Address: %4 Copy label - Copiar etiqueta + Copia l'etiqueta Copy message - + Copia el missatge Copy amount - Copiar quantitat + Copia l'import ReceiveRequestDialog QR Code - Codi QR + Codi QR Copy &URI - Copiar &URI + Copia l'&URI Copy &Address - Copiar &Adress + Copia l'&adreça &Save Image... - + De&sa la imatge... Request payment to %1 - + Sol·licita un pagament a %1 Payment information @@ -1633,7 +1646,7 @@ Address: %4 Amount - Quantitat + Import Label @@ -1649,7 +1662,7 @@ Address: %4 Error encoding URI into QR Code. - Error codificant la URI en un codi QR. + Error en codificar l'URI en un codi QR. @@ -1668,7 +1681,7 @@ Address: %4 Amount - Quantitat + Import (no label) @@ -1680,30 +1693,30 @@ Address: %4 (no amount) - + (sense import) SendCoinsDialog Send Coins - Enviar monedes + Envia monedes Coin Control Features - (Opcions del control del Coin) + Característiques de control de les monedes Inputs... - Entrades + Entrades... automatically selected - Seleccionat automàticament + seleccionat automàticament Insufficient funds! - Fons insuficient + Fons insuficients! Quantity: @@ -1715,7 +1728,7 @@ Address: %4 Amount: - Quantitat: + Import: Priority: @@ -1723,15 +1736,15 @@ Address: %4 Fee: - Quota: + Comissió: Low Output: - + Sortida baixa: After Fee: - Quota posterior: + Comissió posterior: Change: @@ -1739,27 +1752,27 @@ Address: %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Si s'activa això, però l'adreça de canvi està buida o bé no és vàlida, el canvi s'enviarà a una adreça generada de nou. Custom change address - + Personalitza l'adreça de canvi Send to multiple recipients at once - Enviar a multiples destinataris al mateix temps + Envia a múltiples destinataris al mateix temps Add &Recipient - Affegir &Destinatari + Afegeix &destinatari Clear all fields of the form. - Netejar tots els camps del formulari. + Neteja tots els camps del formulari. Clear &All - Esborrar &Tot + Neteja-ho &tot Balance: @@ -1767,55 +1780,55 @@ Address: %4 Confirm the send action - Confirmi l'acció d'enviament + Confirma l'acció d'enviament S&end - E&nviar + E&nvia Confirm send coins - Confirmar l'enviament de monedes + Confirma l'enviament de monedes %1 to %2 - + %1 a %2 Copy quantity - + Copia la quantitat Copy amount - Copiar quantitat + Copia l'import Copy fee - + Copia la comissi Copy after fee - + Copia la comissió posterior Copy bytes - + Copia els bytes Copy priority - + Copia la prioritat Copy low output - + Copia la sortida baixa Copy change - + Copia el canvi Total Amount %1 (= %2) - + Import total %1 (= %2) or @@ -1823,35 +1836,35 @@ Address: %4 The recipient address is not valid, please recheck. - L'adreça remetent no és vàlida, si us plau comprovi-la. + L'adreça de destinatari no és vàlida, si us plau comprovi-la. The amount to pay must be larger than 0. - La quantitat a pagar ha de ser major que 0. + L'import a pagar ha de ser major que 0. The amount exceeds your balance. - Import superi el saldo de la seva compte. + L'import supera el vostre balanç. The total exceeds your balance when the %1 transaction fee is included. - El total excedeix el teu balanç quan s'afegeix la comisió a la transacció %1. + El total excedeix el teu balanç quan s'afegeix la comisió a la transacció %1. Duplicate address found, can only send to each address once per send operation. - S'ha trobat una adreça duplicada, tan sols es pot enviar a cada adreça un cop per ordre de enviament. + S'ha trobat una adreça duplicada, tan sols es pot enviar a cada adreça un cop per ordre de enviament. Transaction creation failed! - + Ha fallat la creació de la transacció! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + S'ha rebutjat la transacció! Això pot passar si alguna de les monedes del vostre moneder ja s'han gastat; per exemple, si heu fet servir una còpia de seguretat del fitxer wallet.dat i s'haguessin gastat monedes de la còpia però sense marcar-les-hi com a gastades. Warning: Invalid Bitcoin address - + Avís: adreça Bitcoin no vàlida (no label) @@ -1859,15 +1872,15 @@ Address: %4 Warning: Unknown change address - + Avís: adreça de canvi desconeguda Are you sure you want to send? - Estàs segur que ho vols enviar? + Esteu segur que ho voleu enviar? added as transaction fee - S'ha afegit una taxa de transacció + S'ha afegit una taxa de transacció Payment request expired @@ -1875,7 +1888,7 @@ Address: %4 Invalid payment address %1 - + Adreça de pagament no vàlida %1 @@ -1886,15 +1899,15 @@ Address: %4 Pay &To: - Pagar &A: + Paga &a: The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - La adreça a on envia el pagament (per exemple: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + La adreça on s'envia el pagament (per exemple: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book - Introdueixi una etiquera per a aquesta adreça per afegir-la a la llibreta d'adreces + Introduïu una etiqueta per a aquesta adreça per afegir-la a la llibreta d'adreces &Label: @@ -1902,11 +1915,11 @@ Address: %4 Choose previously used address - Escull una adreça feta servir anteriorment + Tria una adreça feta servir anteriorment This is a normal payment. - + Això és un pagament normal. Alt+A @@ -1922,7 +1935,7 @@ Address: %4 Remove this entry - + Elimina aquesta entrada Message: @@ -1930,19 +1943,19 @@ Address: %4 This is a verified payment request. - + Aquesta és una sol·licitud de pagament verificada. Enter a label for this address to add it to the list of used addresses - + Introduïu una etiqueta per a aquesta adreça per afegir-la a la llista d'adreces utilitzades A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Un missatge que s'ha adjuntat al bitcoin: URI que s'emmagatzemarà amb la transacció per a la vostra referència. Nota: el missatge no s'enviarà a través de la xarxa Bitcoin. This is an unverified payment request. - + Aquesta és una sol·licitud de pagament no verificada. Pay To: @@ -1950,49 +1963,49 @@ Address: %4 Memo: - + Memo: ShutdownWindow Bitcoin Core is shutting down... - + S'està aturant el Bitcoin Core... Do not shut down the computer until this window disappears. - + No apagueu l'ordinador fins que no desaparegui aquesta finestra. SignVerifyMessageDialog Signatures - Sign / Verify a Message - Signatures .Signar/Verificar un Missatge + Signatures - Signa / verifica un missatge &Sign Message - &Signar Missatge + &Signa el missatge You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Pots signar missatges amb la teva adreça per provar que són teus. Sigues cautelòs al signar qualsevol cosa, ja que els atacs phising poden intentar confondre't per a que els hi signis amb la teva identitat. Tan sols signa als documents completament detallats amb els que hi estàs d'acord. + Podeu signar missatges amb la vostra adreça per provar que són vostres. Aneu amb compte no signar qualsevol cosa, ja que els atacs de pesca electrònica (phishing) poden provar de confondre-us perquè els signeu amb la vostra identitat. Només signeu als documents completament detallats amb què hi esteu d'acord. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - La adreça amb la que signat els missatges (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + La adreça amb què signar els missatges (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - Escull adreces fetes servir amb anterioritat + Tria les adreces fetes servir amb anterioritat Alt+A - Alta+A + Alt+A Paste address from clipboard - Enganxar adreça del porta-retalls + Enganxa l'adreça del porta-retalls Alt+P @@ -2000,7 +2013,7 @@ Address: %4 Enter the message you want to sign here - Introdueix aqui el missatge que vols signar + Introduïu aquí el missatge que voleu signar Signature @@ -2008,15 +2021,15 @@ Address: %4 Copy the current signature to the system clipboard - Copiar la signatura actual al porta-retalls del sistema + Copia la signatura actual al porta-retalls del sistema Sign the message to prove you own this Bitcoin address - Signa el missatge per provar que ets propietari d'aquesta adreça Bitcoin + Signa el missatge per provar que ets propietari d'aquesta adreça Bitcoin Sign &Message - Signar &Missatge + Signa el &missatge Reset all sign message fields @@ -2024,15 +2037,15 @@ Address: %4 Clear &All - Esborrar &Tot + Neteja-ho &tot &Verify Message - &Verificar el missatge + &Verifica el missatge Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Introdueixi l'adreça signant, missatge (assegura't que copies salts de línia, espais, tabuladors, etc excactament tot el text) i la signatura a sota per verificar el missatge. Per evitar ser enganyat per un atac home-entre-mig, vés amb compte de no llegir més en la signatura del que hi ha al missatge signat mateix. + Introdueixi l'adreça signant, missatge (assegura't que copies salts de línia, espais, tabuladors, etc excactament tot el text) i la signatura a sota per verificar el missatge. Per evitar ser enganyat per un atac home-entre-mig, vés amb compte de no llegir més en la signatura del que hi ha al missatge signat mateix. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2044,7 +2057,7 @@ Address: %4 Verify &Message - Verificar &Missatge + Verifica el &missatge Reset all verify message fields @@ -2052,23 +2065,23 @@ Address: %4 Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Introdueixi una adreça de Bitcoin (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Introduïu una adreça de Bitcoin (per exemple 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Clica "Signar Missatge" per a generar una signatura + Click "Sign Message" to generate signature + Feu clic a «Signa el missatge» per a generar una signatura The entered address is invalid. - L'adreça intoduïda és invàlida. + L'adreça introduïda no és vàlida. Please check the address and try again. - Siu us plau, comprovi l'adreça i provi de nou. + Comproveu l'adreça i torneu-ho a provar. The entered address does not refer to a key. - L'adreça introduïda no referencia a cap clau. + L'adreça introduïda no referencia a cap clau. Wallet unlock was cancelled. @@ -2080,7 +2093,7 @@ Address: %4 Message signing failed. - El signat del missatge ha fallat. + La signatura del missatge ha fallat. Message signed. @@ -2088,11 +2101,11 @@ Address: %4 The signature could not be decoded. - La signatura no s'ha pogut decodificar . + La signatura no s'ha pogut descodificar. Please check the signature and try again. - Su us plau, comprovi la signatura i provi de nou. + Comproveu la signatura i torneu-ho a provar. The signature did not match the message digest. @@ -2111,15 +2124,15 @@ Address: %4 SplashScreen Bitcoin Core - Nucli de Bitcoin + Bitcoin Core The Bitcoin Core developers - + Els desenvolupadors del Bitcoin Core [testnet] - + [testnet] @@ -2137,11 +2150,11 @@ Address: %4 conflicted - + en conflicte %1/offline - %1/offline + %1/fora de línia %1/unconfirmed @@ -2149,7 +2162,7 @@ Address: %4 %1 confirmations - %1 confrimacions + %1 confirmacions Status @@ -2209,7 +2222,7 @@ Address: %4 Net amount - Quantitat neta + Import net Message @@ -2228,12 +2241,12 @@ Address: %4 Mercader - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Les monedes generades han de madurar %1 blocs abans de poder ser gastades. Quan genereu aquest bloc, es farà saber a la xarxa per tal d'afegir-lo a la cadena de blocs. Si no pot fer-se lloc a la cadena, el seu estat canviarà a «no acceptat» i no es podrà gastar. Això pot passar ocasionalment si un altre node genera un bloc en un marge de segons respecte al vostre. Debug information - Informació de debug + Informació de depuració Transaction @@ -2245,7 +2258,7 @@ Address: %4 Amount - Quantitat + Import true @@ -2291,15 +2304,15 @@ Address: %4 Address - Direcció + Adreça Amount - Quantitat + Import Immature (%1 confirmations, will be available after %2) - + Immadur (%1 confirmacions, serà disponible després de %2) Open for %n more block(s) @@ -2323,19 +2336,19 @@ Address: %4 Offline - + Fora de línia Unconfirmed - + Sense confirmar Confirming (%1 of %2 recommended confirmations) - + Confirmant (%1 de %2 confirmacions recomanades) Conflicted - + En conflicte Received with @@ -2363,7 +2376,7 @@ Address: %4 Transaction status. Hover over this field to show number of confirmations. - Estat de la transacció. Desplaça't per aquí sobre per mostrar el nombre de confirmacions. + Estat de la transacció. Desplaceu-vos sobre aquest camp per mostrar el nombre de confirmacions. Date and time that the transaction was received. @@ -2379,7 +2392,7 @@ Address: %4 Amount removed from or added to balance. - Quantitat extreta o afegida del balanç. + Import extret o afegit del balanç. @@ -2422,7 +2435,7 @@ Address: %4 To yourself - A tu mateix + A un mateix Mined @@ -2434,15 +2447,15 @@ Address: %4 Enter address or label to search - Introdueix una adreça o una etiqueta per cercar + Introduïu una adreça o una etiqueta per cercar Min amount - Quantitat mínima + Import mínim Copy address - Copiar adreça + Copia l'adreça Copy label @@ -2450,7 +2463,7 @@ Address: %4 Copy amount - Copiar quantitat + Copia l'import Copy transaction ID @@ -2466,27 +2479,27 @@ Address: %4 Export Transaction History - + Exporta l'historial de transacció Exporting Failed - + L'exportació ha fallat There was an error trying to save the transaction history to %1. - + S'ha produït un error en provar de desar l'historial de transacció a %1. Exporting Successful - + Exportació amb èxit The transaction history was successfully saved to %1. - + L'historial de transaccions s'ha desat correctament a %1. Comma separated file (*.csv) - Arxiu de separació per comes (*.csv) + Fitxer separat per comes (*.csv) Confirmed @@ -2506,11 +2519,11 @@ Address: %4 Address - Direcció + Adreça Amount - Quantitat + Import ID @@ -2529,29 +2542,29 @@ Address: %4 WalletFrame No wallet has been loaded. - + No s'ha carregat cap moneder. WalletModel Send Coins - Enviar monedes + Envia monedes WalletView &Export - &Exportar + &Exporta Export the data in the current tab to a file - Exportar les dades de la pestanya actual a un arxiu + Exporta les dades de la pestanya actual a un fitxer Backup Wallet - Realitzar còpia de seguretat del moneder + Còpia de seguretat del moneder Wallet Data (*.dat) @@ -2559,19 +2572,19 @@ Address: %4 Backup Failed - Còpia de seguretat faillida + Ha fallat la còpia de seguretat There was an error trying to save the wallet data to %1. - + S'ha produït un error en provar de desar les dades del moneder a %1. The wallet data was successfully saved to %1. - + S'han desat les dades del moneder correctament a %1. Backup Successful - Copia de seguretat realitzada correctament + La còpia de seguretat s'ha realitzat correctament @@ -2582,11 +2595,11 @@ Address: %4 List commands - Llista d'ordres + Llista d'ordres Get help for a command - Obtenir ajuda per a un ordre. + Obté ajuda d'una ordre. Options: @@ -2594,31 +2607,31 @@ Address: %4 Specify configuration file (default: bitcoin.conf) - Especificat arxiu de configuració (per defecte: bitcoin.conf) + Especifica un fitxer de configuració (per defecte: bitcoin.conf) Specify pid file (default: bitcoind.pid) - Especificar arxiu pid (per defecte: bitcoind.pid) + Especifica un fitxer pid (per defecte: bitcoind.pid) Specify data directory - Especificar directori de dades + Especifica el directori de dades Listen for connections on <port> (default: 8333 or testnet: 18333) - Escoltar connexions a <port> (per defecte: 8333 o testnet: 18333) + Escolta connexions a <port> (per defecte: 8333 o testnet: 18333) Maintain at most <n> connections to peers (default: 125) - Mantenir com a molt <n> connexions a peers (per defecte: 125) + Manté com a molt <n> connexions a iguals (per defecte: 125) Connect to a node to retrieve peer addresses, and disconnect - Connectar al node per obtenir les adreces de les connexions, i desconectar + Connecta al node per obtenir les adreces de les connexions, i desconnecta Specify your own public address - Especificar la teva adreça pública + Especifiqueu la vostra adreça pública Threshold for disconnecting misbehaving peers (default: 100) @@ -2630,31 +2643,31 @@ Address: %4 An error occurred while setting up the RPC port %u for listening on IPv4: %s - Ha sorgit un error al configurar el port RPC %u escoltant a IPv4: %s + S'ha produït un error al configurar el port RPC %u escoltant a IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - Escoltar connexions JSON-RPC al port <port> (per defecte: 8332 o testnet:18332) + Escolta connexions JSON-RPC al port <port> (per defecte: 8332 o testnet:18332) Accept command line and JSON-RPC commands - Acceptar línia d'ordres i ordres JSON-RPC + Accepta la línia d'ordres i ordres JSON-RPC Bitcoin Core RPC client version - + Versió del client RPC del Bitcoin Core Run in the background as a daemon and accept commands - Executar en segon pla com a programa dimoni i acceptar ordres + Executa en segon pla com a programa dimoni i accepta ordres Use the test network - Usar la xarxa de prova + Utilitza la xarxa de prova Accept connections from outside (default: 1 if no -proxy or -connect) - Aceptar connexions d'afora (per defecte: 1 si no -proxy o -connect) + Accepta connexions de fora (per defecte: 1 si no -proxy o -connect) %s, you must set a rpcpassword in the configuration file: @@ -2666,73 +2679,83 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - %s has de establir una contrasenya RPC a l'arxiu de configuració:\n%s\nEs recomana que useu la següent constrasenya aleatòria:\nrpcuser=bitcoinrpc\nrpcpassword=%s\n(no necesiteu recordar aquesta contrsenya)\nEl nom d'usuari i contrasenya NO HAN de ser els mateixos.\nSi l'arxiu no existeix, crea'l amb els permisos d'arxiu de només lectura per al propietari.\nTambé es recomana establir la notificació d'alertes i així seràs notificat de les incidències;\nper exemple: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com + %s, heu de establir una contrasenya RPC al fitxer de configuració: %s + +Es recomana que useu la següent contrasenya aleatòria: +rpcuser=bitcoinrpc +rpcpassword=%s +(no necesiteu recordar aquesta contrasenya) +El nom d'usuari i la contrasenya NO HAN de ser els mateixos. +Si el fitxer no existeix, crea'l amb els permisos de fitxer de només lectura per al propietari. +També es recomana establir la notificació d'alertes i així sereu notificat de les incidències; +per exemple: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Xifrats acceptables (per defecte: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Ha sorgit un error al configurar el port RPC %u escoltant a IPv6, retrocedint a IPv4: %s + S'ha produït un error en configurar el port RPC %u escoltant a IPv6, retrocedint a IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Vincular a una adreça específica i sempre escoltar-hi. Utilitza la notació [host]:port per IPv6 + Vincula a una adreça específica i sempre escolta-hi. Utilitza la notació [host]:port per IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Limita contínuament les transaccions gratuïtes a <n>*1000 bytes per minut (per defecte: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Entra en el mode de prova de regressió, que utilitza una cadena especial en què els blocs es poden resoldre al moment. Això està pensat per a les eines de proves de regressió i per al desenvolupament d'aplicacions. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Entra en el mode de proves de regressió, que utilitza una cadena especial en què els blocs poden resoldre's al moment. Error: Listening for incoming connections failed (listen returned error %d) - + Error: no s'han pogut escoltar les connexions entrants (l'escoltament a retornat l'error %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Error: La transacció ha estat rebutjada. Això pot passar si alguna de les monedes del teu moneder ja s'han gastat, com si haguesis usat una copia de l'arxiu wallet.dat i s'haguessin gastat monedes de la copia però sense marcar com gastades en aquest. + Error: La transacció ha estat rebutjada. Això pot passar si alguna de les monedes del teu moneder ja s'han gastat, com si haguesis usat una copia de l'arxiu wallet.dat i s'haguessin gastat monedes de la copia però sense marcar com gastades en aquest. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Error: Aquesta transacció requereix una comissió d'almenys %s degut al seu import, complexitat o per l'ús de fons recentment rebuts! + Error: Aquesta transacció requereix una comissió d'almenys %s degut al seu import, complexitat o per l'ús de fons recentment rebuts! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Executar una ordre quan una transacció del moneder canviï (%s in cmd es canvia per TxID) + Executa una ordre quan una transacció del moneder canviï (%s en cmd es canvia per TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: - + Les comissions inferiors que aquesta es consideren comissió zero (per a la creació de la transacció) (per defecte: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Buida l'activitat de la base de dades de la memòria disponible al registre del disc cada <n> megabytes (per defecte: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Com d'exhaustiva és la verificació de blocs de -checkblocks is (0-4, per defecte: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + En aquest mode -genproclimit controla quants blocs es generen immediatament. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Defineix el nombre de fils de verificació d'scripts (%u a %d, 0 = auto, <0 = deixa tants nuclis lliures, per defecte: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Defineix el límit de processadors quan està activada la generació (-1 = sense límit, per defecte: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2740,55 +2763,55 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + No es pot enllaçar %s a aquest ordinador. El Bitcoin Core probablement ja estigui executant-s'hi. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Utilitza un proxy SOCKS5 apart per arribar a iguals a través de serveis de Tor ocults (per defecte: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Advertència: el -paytxfee és molt elevat! Aquesta és la comissió de transacció que pagaràs quan enviis una transacció. + Avís: el -paytxfee és molt elevat! Aquesta és la comissió de transacció que pagareu si envieu una transacció. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Advertència: Si us plau comprovi que la data i hora del seu computador siguin correctes! Si el seu rellotge està mal configurat, Bitcoin no funcionará de manera apropiada. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Avís: comproveu que la data i l'hora del vostre ordinador siguin correctes! Si el rellotge està mal configurat, Bitcoin no funcionarà de manera apropiada. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Avís: la xarxa no sembla que hi estigui plenament d'acord. Alguns miners sembla que estan experimentant problemes. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Avís: sembla que no estem plenament d'acord amb els nostres iguals! Podria caler que actualitzar l'aplicació, o potser que ho facin altres nodes. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Advertència: Error llegint l'arxiu wallet.dat!! Totes les claus es llegeixen correctament, però hi ha dades de transaccions o entrades del llibre d'adreces absents o bé son incorrectes. + Avís: error en llegir el fitxer wallet.dat! Totes les claus es llegeixen correctament, però hi ha dades de transaccions o entrades de la llibreta d'adreces absents o bé son incorrectes. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Advertència: L'arxiu wallet.dat és corrupte, dades rescatades! L'arxiu wallet.dat original ha estat desat com wallet.{estampa_temporal}.bak al directori %s; si el teu balanç o transaccions son incorrectes hauries de restaurar-lo de un backup. + Avís: el fitxer wallet.dat és corrupte, dades rescatades! L'arxiu wallet.dat original ha estat desat com wallet.{estampa_temporal}.bak al directori %s; si el teu balanç o transaccions son incorrectes hauries de restaurar-lo de un backup. (default: 1) - + (per defecte: 1) (default: wallet.dat) - + (per defecte: wallet.dat) <category> can be: - + <category> pot ser: Attempt to recover private keys from a corrupt wallet.dat - Intentar recuperar les claus privades d'un arxiu wallet.dat corrupte + Intenta recuperar les claus privades d'un fitxer wallet.dat corrupte Bitcoin Core Daemon - + Dimoni del Bitcoin Core Block creation options: @@ -2796,47 +2819,47 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Neteja la llista de transaccions del moneder (eina de diagnòstic; implica -rescan) Connect only to the specified node(s) - Connectar només al(s) node(s) especificats + Connecta només al(s) node(s) especificats Connect through SOCKS proxy - + Connecta a través d'un proxy SOCKS Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Connecta a JSON-RPC des de <port> (per defecte: 8332 o testnet: 18332) Connection options: - + Opcions de connexió: Corrupted block database detected - S'ha detectat una base de dades de blocs corrupta + S'ha detectat una base de dades de blocs corrupta Debugging/Testing options: - + Opcions de depuració/proves: Disable safemode, override a real safe mode event (default: 0) - + Inhabilia el mode segur (safemode), invalida un esdeveniment de mode segur real (per defecte: 0) Discover own IP address (default: 1 when listening and no -externalip) - Descobrir la pròpia adreça IP (per defecte: 1 quan escoltant i no -externalip) + Descobreix la pròpia adreça IP (per defecte: 1 quan escoltant i no -externalip) Do not load the wallet and disable wallet RPC calls - + No carreguis el moneder i inhabilita les crides RPC del moneder Do you want to rebuild the block database now? - Vols reconstruir la base de dades de blocs ara? + Voleu reconstruir la base de dades de blocs ara? Error initializing block database @@ -2844,7 +2867,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error initializing wallet database environment %s! - Error inicialitzant l'entorn de la base de dades del moneder %s! + Error inicialitzant l'entorn de la base de dades del moneder %s! Error loading block database @@ -2852,7 +2875,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error opening block database - Error obrint la base de dades de blocs + Error en obrir la base de dades de blocs Error: Disk space is low! @@ -2860,15 +2883,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error: Wallet locked, unable to create transaction! - Error: El moneder està blocat, no és possible crear la transacció! + Error: El moneder està bloquejat, no és possible crear la transacció! Error: system error: - Error: error de sistema: + Error: error de sistema: Failed to listen on any port. Use -listen=0 if you want this. - Error al escoltar a qualsevol port. Utilitza -listen=0 si vols això. + Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. Failed to read block info @@ -2880,11 +2903,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to sync block index - Ha fallat la sincronització de l'índex de bloc + Ha fallat la sincronització de l'índex de blocs Failed to write block index - Ha fallat la escriptura de l'índex de blocs + Ha fallat la escriptura de l'índex de blocs Failed to write block info @@ -2892,19 +2915,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to write block - Ha fallat l'escriptura del bloc + Ha fallat l'escriptura del bloc Failed to write file info - Ha fallat l'escriptura de l'arxiu info + Ha fallat l'escriptura de la informació de fitxer Failed to write to coin database - Ha fallat l'escriptura de la basse de dades de monedes + Ha fallat l'escriptura de la basse de dades de monedes Failed to write transaction index - Ha fallat l'escriptura de l'índex de transaccions + Ha fallat l'escriptura de l'índex de transaccions Failed to write undo data @@ -2912,71 +2935,71 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fee per kB to add to transactions you send - + Comissió per kB per afegir a les transaccions que envieu Fees smaller than this are considered zero fee (for relaying) (default: - + Les comissions inferiors que aquesta es consideren comissions zero (a efectes de transmissió) (per defecte: Find peers using DNS lookup (default: 1 unless -connect) - Cerca punts de connexió usant rastreig de DNS (per defecte: 1 tret d'usar -connect) + Cerca punts de connexió usant rastreig de DNS (per defecte: 1 tret d'usar -connect) Force safe mode (default: 0) - + Força el mode segur (per defecte: 0) Generate coins (default: 0) - Generar monedes (estàndard: 0) + Genera monedes (per defecte: 0) How many blocks to check at startup (default: 288, 0 = all) - Quants blocs s'han de confirmar a l'inici (per defecte: 288, 0 = tots) + Quants blocs s'han de confirmar a l'inici (per defecte: 288, 0 = tots) If <category> is not supplied, output all debugging information. - + Si no se subministra <category>, mostra tota la informació de depuració. Importing... - + S'està important... Incorrect or no genesis block found. Wrong datadir for network? - + No s'ha trobat el bloc de gènesi o és incorrecte. El directori de dades de la xarxa és incorrecte? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Adreça -onion no vàlida: '%s' Not enough file descriptors available. - + No hi ha suficient descriptors de fitxers disponibles. Prepend debug output with timestamp (default: 1) - + Posa davant de la sortida de depuració una marca horària (per defecte: 1) RPC client options: - + Opcions del client RPC: Rebuild block chain index from current blk000??.dat files - Reconstruir l'índex de la cadena de blocs dels arxius actuals blk000??.dat + Reconstrueix l'índex de la cadena de blocs dels fitxers actuals blk000??.dat Select SOCKS version for -proxy (4 or 5, default: 5) - + Selecciona la versió de SOCKS del -proxy (4 o 5, per defecte: 5) Set database cache size in megabytes (%d to %d, default: %d) - + Defineix la mida de la memòria cau de la base de dades en megabytes (%d a %d, per defecte: %d) Set maximum block size in bytes (default: %d) - + Defineix la mida màxim del bloc en bytes (per defecte: %d) Set the number of threads to service RPC calls (default: 4) @@ -2984,47 +3007,47 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Specify wallet file (within data directory) - Especifica un arxiu de moneder (dintre del directori de les dades) + Especifica un fitxer de moneder (dins del directori de dades) Spend unconfirmed change when sending transactions (default: 1) - + Gasta el canvi sense confirmar en enviar transaccions (per defecte: 1) This is intended for regression testing tools and app development. - + Això es així per a eines de proves de regressió per al desenvolupament d'aplicacions. Usage (deprecated, use bitcoin-cli): - + Ús (obsolet, feu servir bitcoin-cli): Verifying blocks... - Verificant blocs... + S'estan verificant els blocs... Verifying wallet... - Verificant moneder... + S'està verificant el moneder... Wait for RPC server to start - + Espereu el servidor RPC per començar Wallet %s resides outside data directory %s - + El moneder %s resideix fora del directori de dades %s Wallet options: - + Opcions de moneder: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Avís: argument obsolet -debugnet ignorat, feu servir -debug=net You need to rebuild the database using -reindex to change -txindex - + Cal que reconstruïu la base de dades fent servir -reindex per canviar -txindex Imports blocks from external blk000??.dat file @@ -3032,43 +3055,43 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + No es pot obtenir un bloqueig del directori de dades %s. El Bitcoin Core probablement ja s'estigui executant. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Executa l'ordre quan es rebi un avís rellevant o veiem una forquilla molt llarga (%s en cmd és reemplaçat per un missatge) Output debugging information (default: 0, supplying <category> is optional) - + Informació de la depuració de sortida (per defecte: 0, proporcionar <category> és opcional) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Defineix la mida màxima de transaccions d'alta prioritat / baixa comissió en bytes (per defecte: %d) Information - &Informació + Informació - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Import no vàlid per a -minrelaytxfee=<amount>: «%s» - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + Import no vàlid per a -mintxfee=<amount>: «%s» Limit size of signature cache to <n> entries (default: 50000) - + Mida límit de la memòria cau de signatura per a <n> entrades (per defecte: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Registra la prioritat de transacció i comissió per kB en minar blocs (per defecte: 0) Maintain a full transaction index (default: 0) - Mantenir tot l'índex de transaccions (per defecte: 0) + Manté l'índex sencer de transaccions (per defecte: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3076,43 +3099,43 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Mida màxima del buffer d'enviament per a cada connexió, <n>*1000 bytes (default: 5000) + Mida màxima del buffer d'enviament per a cada connexió, <n>*1000 bytes (default: 5000) Only accept block chain matching built-in checkpoints (default: 1) - Tan sols acceptar cadenes de blocs que coincideixin amb els punts de prova (per defecte: 1) + Només accepta cadenes de blocs que coincideixin amb els punts de prova (per defecte: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Només connectar als nodes de la xarxa <net> (IPv4, IPv6 o Tor) + Només connecta als nodes de la xarxa <net> (IPv4, IPv6 o Tor) Print block on startup, if found in block index - + Imprimeix el block a l'inici, si es troba l'índex de blocs Print block tree on startup (default: 0) - + Imprimeix l'arbre de blocs a l'inici (per defecte: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcions RPC SSL: (veieu el wiki del Bitcoin per a instruccions de configuració de l'SSL) RPC server options: - + Opcions del servidor RPC: Randomly drop 1 of every <n> network messages - + Descarta a l'atzar 1 de cada <n> missatges de la xarxa Randomly fuzz 1 of every <n> network messages - + Introdueix incertesa en 1 de cada <n> missatges de la xarxa Run a thread to flush wallet periodically (default: 1) - + Executa un fil per buidar el moneder periòdicament (per defecte: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3120,71 +3143,71 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Send command to Bitcoin Core - + Envia una ordre al Bitcoin Core Send trace/debug info to console instead of debug.log file - Enviar informació de traça/debug a la consola en comptes del arxiu debug.log + Envia informació de traça/depuració a la consola en comptes del fitxer debug.log Set minimum block size in bytes (default: 0) - Establir una mida mínima de bloc en bytes (per defecte: 0) + Defineix una mida mínima de bloc en bytes (per defecte: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Defineix el senyal DB_PRIVATE en l'entorn db del moneder (per defecte: 1) Show all debugging options (usage: --help -help-debug) - + Mostra totes les opcions de depuració (ús: --help --help-debug) Show benchmark information (default: 0) - + Mostra la informació del test de referència (per defecte: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - Reduir l'arxiu debug.log al iniciar el client (per defecte 1 quan no -debug) + Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) Signing transaction failed - + Ha fallat la signatura de la transacció Specify connection timeout in milliseconds (default: 5000) - Especificar el temps limit per a un intent de connexió en milisegons (per defecte: 5000) + Especifica el temps limit per a un intent de connexió en mil·lisegons (per defecte: 5000) Start Bitcoin Core Daemon - + Inicia el dimoni del Bitcoin Core System error: - Error de sistema: + Error de sistema: Transaction amount too small - + Import de la transacció massa petit Transaction amounts must be positive - + Els imports de les transaccions han de ser positius Transaction too large - + La transacció és massa gran Use UPnP to map the listening port (default: 0) - Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 0) + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 0) Use UPnP to map the listening port (default: 1 when listening) - Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 1 quan s'escolta) + Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 1 quan s'escolta) Username for JSON-RPC connections - Nom d'usuari per a connexions JSON-RPC + Nom d'usuari per a connexions JSON-RPC Warning @@ -3192,15 +3215,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: This version is obsolete, upgrade required! - Advertència: Aquetsa versió està obsoleta, és necessari actualitzar! + Avís: aquesta versió està obsoleta. És necessari actualitzar-la! Zapping all transactions from wallet... - + Se suprimeixen totes les transaccions del moneder... on startup - + a l'inici de l'aplicació version @@ -3208,7 +3231,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. wallet.dat corrupt, salvage failed - L'arxiu wallet.data és corrupte, el rescat de les dades ha fallat + El fitxer wallet.data és corrupte. El rescat de les dades ha fallat Password for JSON-RPC connections @@ -3216,35 +3239,35 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Allow JSON-RPC connections from specified IP address - Permetre connexions JSON-RPC d'adreces IP específiques + Permetre connexions JSON-RPC d'adreces IP específiques Send commands to node running on <ip> (default: 127.0.0.1) - Enviar ordre al node en execució a <ip> (per defecte: 127.0.0.1) + Envia ordres al node en execució a <ip> (per defecte: 127.0.0.1) Execute command when the best block changes (%s in cmd is replaced by block hash) - Executar orde quan el millor bloc canviï (%s al cmd es reemplaça per un bloc de hash) + Executa l'ordre quan el millor bloc canviï (%s en cmd es reemplaça per un resum de bloc) Upgrade wallet to latest format - Actualitzar moneder a l'últim format + Actualitza el moneder a l'últim format Set key pool size to <n> (default: 100) - Establir límit de nombre de claus a <n> (per defecte: 100) + Defineix el límit de nombre de claus a <n> (per defecte: 100) Rescan the block chain for missing wallet transactions - Re-escanejar cadena de blocs en cerca de transaccions de moneder perdudes + Reescaneja la cadena de blocs en les transaccions de moneder perdudes Use OpenSSL (https) for JSON-RPC connections - Utilitzar OpenSSL (https) per a connexions JSON-RPC + Utilitza OpenSSL (https) per a connexions JSON-RPC Server certificate file (default: server.cert) - Arxiu del certificat de servidor (per defecte: server.cert) + Fitxer del certificat de servidor (per defecte: server.cert) Server private key (default: server.pem) @@ -3252,63 +3275,63 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. This help message - Aquest misatge d'ajuda + Aquest misatge d'ajuda Unable to bind to %s on this computer (bind returned error %d, %s) - Impossible d'unir %s a aquest ordinador (s'ha retornat l'error %d, %s) + No es pot vincular %s amb aquest ordinador (s'ha retornat l'error %d, %s) Allow DNS lookups for -addnode, -seednode and -connect - Permetre consultes DNS per a -addnode, -seednode i -connect + Permet consultes DNS per a -addnode, -seednode i -connect Loading addresses... - Carregant adreces... + S'estan carregant les adreces... Error loading wallet.dat: Wallet corrupted - Error carregant wallet.dat: Moneder corrupte + Error en carregar wallet.dat: Moneder corrupte Error loading wallet.dat: Wallet requires newer version of Bitcoin - Error carregant wallet.dat: El moneder requereix una versió de Bitcoin més moderna + Error en carregar wallet.dat: El moneder requereix una versió del Bitcoin més moderna Wallet needed to be rewritten: restart Bitcoin to complete - El moneder necesita ser re-escrit: re-inicia Bitcoin per a completar la tasca + Cal reescriure el moneder: reinicieu el Bitcoin per a completar la tasca Error loading wallet.dat - Error carregant wallet.dat + Error en carregar wallet.dat - Invalid -proxy address: '%s' - Adreça -proxy invalida: '%s' + Invalid -proxy address: '%s' + Adreça -proxy invalida: '%s' - Unknown network specified in -onlynet: '%s' - Xarxa desconeguda especificada a -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Xarxa desconeguda especificada a -onlynet: '%s' Unknown -socks proxy version requested: %i - S'ha demanat una versió desconeguda de -socks proxy: %i + S'ha demanat una versió desconeguda de -socks proxy: %i - Cannot resolve -bind address: '%s' - No es pot resoldre l'adreça -bind: '%s' + Cannot resolve -bind address: '%s' + No es pot resoldre l'adreça -bind: '%s' - Cannot resolve -externalip address: '%s' - No es pot resoldre l'adreça -externalip: '%s' + Cannot resolve -externalip address: '%s' + No es pot resoldre l'adreça -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Quantitat invalida per a -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Import no vàlid per a -paytxfee=<amount>: «%s» Invalid amount - Quanitat invalida + Import no vàlid Insufficient funds @@ -3316,15 +3339,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Loading block index... - Carregant índex de blocs... + S'està carregant l'índex de blocs... Add a node to connect to and attempt to keep the connection open - Afegir un node per a connectar's-hi i intentar mantenir la connexió oberta + Afegeix un node per a connectar-s'hi i intenta mantenir-hi la connexió oberta Loading wallet... - Carregant moneder... + S'està carregant el moneder... Cannot downgrade wallet @@ -3332,19 +3355,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot write default address - No es pot escriure l'adreça per defecte + No es pot escriure l'adreça per defecte Rescanning... - Re-escanejant... + S'està reescanejant... Done loading - Càrrega acabada + Ha acabat la càrrega To use the %s option - Utilitza la opció %s + Utilitza l'opció %s Error @@ -3354,7 +3377,9 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - Has de configurar el rpcpassword=<password> a l'arxiu de configuració:\n %s\n Si l'arxiu no existeix, crea'l amb els permís owner-readable-only. + Heu de configurar el rpcpassword=<password> al fitxer de configuració: +%s +Si el fitxer no existeix, creeu-lo amb els permís owner-readable-only. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_cmn.ts b/src/qt/locale/bitcoin_cmn.ts index 402ce7cb106..3ac91c22882 100644 --- a/src/qt/locale/bitcoin_cmn.ts +++ b/src/qt/locale/bitcoin_cmn.ts @@ -1,3360 +1,107 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - - Double-click to edit address or label - - - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - + ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - + SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - + TrafficGraphWidget - - KB/s - - - + TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - + TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - + TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - + TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - + WalletFrame - - No wallet has been loaded. - - - + WalletModel - - Send Coins - - - + WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_cs.ts b/src/qt/locale/bitcoin_cs.ts index f77e7f34db7..936f3704913 100644 --- a/src/qt/locale/bitcoin_cs.ts +++ b/src/qt/locale/bitcoin_cs.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -333,7 +333,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Open &URI... - + Načíst &URI... Importing blocks from disk... @@ -433,7 +433,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Request payments (generates QR codes and bitcoin: URIs) - + Požaduj platby (generuje QR kódy a bitcoin: URI) &About Bitcoin Core @@ -441,15 +441,15 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Show the list of used sending addresses and labels - + Ukaž seznam použitých odesílacích adres a jejich označení Show the list of used receiving addresses and labels - + Ukaž seznam použitých přijímacích adres a jejich označení Open a bitcoin: URI or payment request - + Načti bitcoin: URI nebo platební požadavek &Command-line options @@ -457,7 +457,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - Seznam argumentů Bitcoinu pro příkazovou řádku získáš v nápovědě Bitcoinu Core. + Seznam argumentů Bitcoinu pro příkazovou řádku získáš v nápovědě Bitcoinu Core Bitcoin client @@ -479,26 +479,10 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Processed %1 blocks of transaction history. Zpracováno %1 bloků transakční historie. - - %n hour(s) - hodinu%n hodiny%n hodin - - - %n day(s) - den%n dny%n dnů - - - %n week(s) - týden%n týdny%n týdnů - %1 and %2 %1 a %2 - - %n year(s) - - %1 behind Stahuji ještě bloky transakcí za poslední %1 @@ -575,11 +559,11 @@ Adresa: %4 CoinControlDialog Coin Control Address Selection - + Volba adres v rámci ruční správy mincí Quantity: - + Počet: Bytes: @@ -599,11 +583,11 @@ Adresa: %4 Low Output: - + Malý výstup: After Fee: - + Čistá částka: Change: @@ -611,15 +595,15 @@ Adresa: %4 (un)select all - + (od)označit všechny Tree mode - + Zobrazit jako strom List mode - + Vypsat jako seznam Amount @@ -663,15 +647,15 @@ Adresa: %4 Lock unspent - + Zamkni neutracené Unlock unspent - + Odemkni k utracení Copy quantity - + Kopíruj počet Copy fee @@ -679,7 +663,7 @@ Adresa: %4 Copy after fee - + Kopíruj čistou částku Copy bytes @@ -691,7 +675,7 @@ Adresa: %4 Copy low output - + Kopíruj malý výstup Copy change @@ -699,95 +683,95 @@ Adresa: %4 highest - + nejvyšší higher - + vyšší high - + vysoká medium-high - + vyšší střední medium - + střední low-medium - + nižší střední low - + nízká lower - + nižší lowest - + nejnižší (%1 locked) - + (%1 zamčeno) none - + žádná Dust - + Prach yes - + ano no - + ne This label turns red, if the transaction size is greater than 1000 bytes. - + Popisek zčervená, pokud je velikost transakce větší než 1000 bajtů. This means a fee of at least %1 per kB is required. - + To znamená, že je vyžadován poplatek alespoň %1 za kB. Can vary +/- 1 byte per input. - + Může se lišit o +/– 1 bajt na každý vstup. Transactions with higher priority are more likely to get included into a block. - + Transakce s vyšší prioritou mají větší šanci na zařazení do bloku. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Popisek zčervená, pokud je priorita menší než „střední“. This label turns red, if any recipient receives an amount smaller than %1. - + Popisek zčervená, pokud má některý příjemce obdržet částku menší než %1. This means a fee of at least %1 is required. - + To znamená, že je vyžadován poplatek alespoň %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Částky menší než 0,546násobek minimálního poplatku pro přenos jsou označovány jako prach. This label turns red, if the change is smaller than %1. - + Popisek zčervená, pokud jsou drobné menší než %1. (no label) @@ -795,7 +779,7 @@ Adresa: %4 change from %1 (%2) - + drobné z %1 (%2) (change) @@ -841,12 +825,12 @@ Adresa: %4 Uprav odesílací adresu - The entered address "%1" is already in the address book. - Zadaná adresa "%1" už v adresáři je. + The entered address "%1" is already in the address book. + Zadaná adresa "%1" už v adresáři je. - The entered address "%1" is not a valid Bitcoin address. - Zadaná adresa "%1" není platná Bitcoinová adresa. + The entered address "%1" is not a valid Bitcoin address. + Zadaná adresa "%1" není platná Bitcoinová adresa. Could not unlock wallet. @@ -884,7 +868,7 @@ Adresa: %4 HelpMessageDialog Bitcoin Core - Command-line options - + BitcoinCore – Argumenty z příkazové řádky Bitcoin Core @@ -907,8 +891,8 @@ Adresa: %4 Možnosti UI - Set language, for example "de_DE" (default: system locale) - Nastavit jazyk, například "de_DE" (výchozí: systémové nastavení) + Set language, for example "de_DE" (default: system locale) + Nastavit jazyk, například "de_DE" (výchozí: systémové nastavení) Start minimized @@ -916,7 +900,7 @@ Adresa: %4 Set SSL root certificates for payment request (default: -system-) - + Nastavit kořenové SSL certifikáty pro platební požadavky (výchozí: -system-) Show splash screen on startup (default: 1) @@ -958,7 +942,7 @@ Adresa: %4 Bitcoin - Error: Specified data directory "%1" can not be created. + Error: Specified data directory "%1" can not be created. Chyba: Nejde vytvořit požadovaný adresář pro data „%1“. @@ -1048,8 +1032,16 @@ Adresa: %4 IP adresa proxy (např. IPv4: 127.0.0.1/IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL třetích stran (např. block exploreru), které se zobrazí v kontextovém menu v záložce Transakce. %s v URL se nahradí hashem transakce. Více URL odděl svislítkem |. + + + Third party transaction URLs + URL transakcí třetích stran + + Active command-line options that override above options: - + Aktivní argumenty z příkazové řádky, které přetloukly tato nastavení: Reset all client options to default. @@ -1077,15 +1069,15 @@ Adresa: %4 Enable coin &control features - + Povolit ruční správu &mincí If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Pokud zakážeš utrácení ještě nepotvrzených drobných, nepůjde použít drobné z transakce, dokud nebude mít alespoň jedno potvrzení. Ovlivní to také výpočet stavu účtu. &Spend unconfirmed change - + &Utrácet i ještě nepotvrzené drobné Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1165,7 +1157,7 @@ Adresa: %4 Whether to show coin control features or not. - + Zda ukazovat možnosti pro ruční správu mincí nebo ne. &OK @@ -1181,7 +1173,7 @@ Adresa: %4 none - + žádné Confirm options reset @@ -1189,7 +1181,7 @@ Adresa: %4 Client restart required to activate changes. - + K aktivaci změn je potřeba restartovat klienta. Client will be shutdown, do you want to proceed? @@ -1286,12 +1278,12 @@ Adresa: %4 Upozornění správce sítě - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Tvá aktivní proxy nepodporuje SOCKS5, které je vyžadováno pro platební požadavky skrz proxy. Payment request fetch URL is invalid: %1 - + Zdrojová URL platebního požadavku není platná: %1 Payment request file handling @@ -1303,7 +1295,7 @@ Adresa: %4 Unverified payment requests to custom payment scripts are unsupported. - + Neověřené platební požadavky k uživatelským platebním skriptům nejsou podporované. Refund from %1 @@ -1337,7 +1329,7 @@ Adresa: %4 Bitcoin - Error: Specified data directory "%1" does not exist. + Error: Specified data directory "%1" does not exist. Chyba: Zadaný adresář pro data „%1“ neexistuje. @@ -1349,7 +1341,7 @@ Adresa: %4 Chyba: Neplatná kombinace -regtest a -testnet. - Bitcoin Core did't yet exit safely... + Bitcoin Core didn't yet exit safely... Bitcoin Core ještě bezpečně neskončil... @@ -1539,39 +1531,39 @@ Adresa: %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Recyklovat již dříve použité adresy. Recyklace adres má bezpečnostní rizika a narušuje soukromí. Nezaškrtávejte to, pokud znovu nevytváříte již dříve vytvořený platební požadavek. R&euse an existing receiving address (not recommended) - + &Recyklovat již existující adresy (nedoporučeno) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Volitelná zpráva, která se připojí k platebnímu požadavku a která se zobrazí, když se požadavek otevře. Poznámka: Tahle zpráva se neposílá s platbou po Bitcoinové síti. An optional label to associate with the new receiving address. - + Volitelné označení, které se má přiřadit k nové adrese. Use this form to request payments. All fields are <b>optional</b>. - + Tímto formulář můžeš požadovat platby. Všechna pole jsou <b>volitelná</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Volitelná částka, kterou požaduješ. Nech prázdné nebo nulové, pokud nepožaduješ konkrétní částku. Clear all fields of the form. - + Promaž obsah ze všech formulářových políček. Clear - + Vyčistit Requested payments history - + Historie vyžádaných plateb &Request payment @@ -1579,19 +1571,19 @@ Adresa: %4 Show the selected request (does the same as double clicking an entry) - + Zobraz zvolený požadavek (stejně tak můžeš přímo na něj dvakrát poklepat) Show - + Zobrazit Remove the selected entries from the list - + Smaž zvolené požadavky ze seznamu Remove - + Smazat Copy label @@ -1614,23 +1606,23 @@ Adresa: %4 Copy &URI - + &Kopíruj URI Copy &Address - + Kopíruj &adresu &Save Image... - &Ulož Obrázek... + &Ulož obrázek... Request payment to %1 - + Platební požadavek: %1 Payment information - + Informace o platbě URI @@ -1700,23 +1692,23 @@ Adresa: %4 Coin Control Features - + Možnosti ruční správy mincí Inputs... - + Vstupy... automatically selected - + automaticky vybrané Insufficient funds! - + Nedostatek prostředků! Quantity: - + Počet: Bytes: @@ -1736,11 +1728,11 @@ Adresa: %4 Low Output: - + Malý výstup: After Fee: - + Čistá částka: Change: @@ -1748,7 +1740,7 @@ Adresa: %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Pokud aktivováno, ale adresa pro drobné je prázdná nebo neplatná, tak se drobné pošlou na nově vygenerovanou adresu. Custom change address @@ -1764,7 +1756,7 @@ Adresa: %4 Clear all fields of the form. - + Promaž obsah ze všech formulářových políček. Clear &All @@ -1788,11 +1780,11 @@ Adresa: %4 %1 to %2 - + %1 pro %2 Copy quantity - + Kopíruj počet Copy amount @@ -1804,7 +1796,7 @@ Adresa: %4 Copy after fee - + Kopíruj čistou částku Copy bytes @@ -1816,7 +1808,7 @@ Adresa: %4 Copy low output - + Kopíruj malý výstup Copy change @@ -1824,7 +1816,7 @@ Adresa: %4 Total Amount %1 (= %2) - + Celková částka %1 (= %2) or @@ -1872,15 +1864,15 @@ Adresa: %4 Are you sure you want to send? - + Jsi si jistý, že to chceš poslat? added as transaction fee - + přidán jako transakční poplatek Payment request expired - + Platební požadavek vypršel Invalid payment address %1 @@ -1911,7 +1903,7 @@ Adresa: %4 Choose previously used address - + Vyber již použitou adresu This is a normal payment. @@ -1939,23 +1931,23 @@ Adresa: %4 This is a verified payment request. - + Tohle je ověřený platební požadavek. Enter a label for this address to add it to the list of used addresses - + Zadej označení této adresy; obojí se ti pak uloží do adresáře A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Zpráva, která byla připojena k bitcoin: URI a která se ti pro přehled uloží k transakci. Poznámka: Tahle zpráva se neposílá s platbou po Bitcoinové síti. This is an unverified payment request. - + Tohle je neověřený platební požadavek. Pay To: - + Komu: Memo: @@ -1993,7 +1985,7 @@ Adresa: %4 Choose previously used address - + Vyber již použitou adresu Alt+A @@ -2064,8 +2056,8 @@ Adresa: %4 Zadej Bitcoinovou adresu (např. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Kliknutím na "Podepiš zprávu" vygeneruješ podpis + Click "Sign Message" to generate signature + Kliknutím na "Podepiš zprávu" vygeneruješ podpis The entered address is invalid. @@ -2164,10 +2156,6 @@ Adresa: %4 Status Stav - - , broadcast through %n node(s) - , rozesláno přes 1 uzel, rozesláno přes %n uzly, rozesláno přes %n uzlů - Date Datum @@ -2200,10 +2188,6 @@ Adresa: %4 Credit Příjem - - matures in %n more block(s) - dozraje po jednom blokudozraje po %n blocíchdozraje po %n blocích - not accepted neakceptováno @@ -2237,8 +2221,8 @@ Adresa: %4 Obchodník - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Vygenerované mince musí čekat %1 bloků, než mohou být utraceny. Když jsi vygeneroval tenhle blok, tak byl rozposlán do sítě, aby byl přidán do řetězce bloků. Pokud se mu nepodaří dostat se do řetězce, změní se na "neakceptovaný" a nepůjde utratit. To se občas může stát, pokud jiný uzel vygeneruje blok zhruba ve stejném okamžiku jako ty. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Vygenerované mince musí čekat %1 bloků, než mohou být utraceny. Když jsi vygeneroval tenhle blok, tak byl rozposlán do sítě, aby byl přidán do řetězce bloků. Pokud se mu nepodaří dostat se do řetězce, změní se na "neakceptovaný" a nepůjde utratit. To se občas může stát, pokud jiný uzel vygeneruje blok zhruba ve stejném okamžiku jako ty. Debug information @@ -2268,10 +2252,6 @@ Adresa: %4 , has not been successfully broadcast yet , ještě nebylo rozesláno - - Open for %n more block(s) - Otevřeno pro 1 další blokOtevřeno pro %n další blokyOtevřeno pro %n dalších bloků - unknown neznámo @@ -2310,10 +2290,6 @@ Adresa: %4 Immature (%1 confirmations, will be available after %2) Nedozráno (%1 potvrzení, bude k dispozici za %2) - - Open for %n more block(s) - Otevřeno pro 1 další blokOtevřeno pro %n další blokyOtevřeno pro %n dalších bloků - Open until %1 Otřevřeno dokud %1 @@ -2638,10 +2614,6 @@ Adresa: %4 Doba ve vteřinách, po kterou se nebudou moci zlobivé uzly znovu připojit (výchozí: 86400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Při nastavování naslouchacího RPC portu %i pro IPv4 nastala chyba: %s - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) Čekat na JSON RPC spojení na <portu> (výchozí: 8332 nebo testnet: 18332) @@ -2675,7 +2647,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, musíš nastavit rpcpassword v konfiguračním souboru: %s @@ -2686,7 +2658,7 @@ rpcpassword=%s rpcuser a rpcpassword NESMÍ být stejné. Pokud konfigurační soubor ještě neexistuje, vytvoř ho tak, aby ho mohl číst pouze vlastník. Je také doporučeno si nastavit alertnotify, abys byl upozorněn na případné problémy; -například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2703,7 +2675,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Kontinuálně omezovat bezpoplatkové transakce na <n>*1000 bajtů za minutu (výchozí: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. @@ -2715,7 +2687,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error: Listening for incoming connections failed (listen returned error %d) - + Chyba: Nelze naslouchat příchozí spojení (listen vrátil chybu %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2731,11 +2703,11 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fees smaller than this are considered zero fee (for transaction creation) (default: - + Poplatky menší než tato hodnota jsou považovány za nulové (pro vytváření transakcí) (výchozí: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Promítnout databázovou aktivitu z paměťového prostoru do záznamu na disku každých <n> megabajtů (výchozí: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) @@ -2743,15 +2715,11 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Nastavení počtu vláken pro verifikaci skriptů (%u až %d, 0 = automaticky, <0 = nechat daný počet jader volný, výchozí: 0) + V tomto módu -genproclimit určuje, kolik bloků je vygenerováno okamžitě. Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Nastavit omezení procesoru pro zapnuté generování (-1 = bez omezení, výchozí: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2770,7 +2738,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Upozornění: -paytxfee je nastaveno velmi vysoko! Toto je transakční poplatek, který zaplatíš za každou poslanou transakci. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Upozornění: Zkontroluj, že máš v počítači správně nastavený datum a čas! Pokud jsou nastaveny špatně, Bitcoin nebude fungovat správně. @@ -2815,7 +2783,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Smazat seznam transakcí peněženky (diagnostický nástroj; vynutí -rescan) Connect only to the specified node(s) @@ -2823,7 +2791,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Connect through SOCKS proxy - + Připojit se přes SOCKS proxy Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) @@ -2831,7 +2799,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Connection options: - + Možnosti připojení: Corrupted block database detected @@ -2839,11 +2807,11 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Debugging/Testing options: - + Možnosti ladění/testování: Disable safemode, override a real safe mode event (default: 0) - + Vypnout bezpečný režim (safemode), překrýt skutečnou událost bezpečného režimu (výchozí: 0) Discover own IP address (default: 1 when listening and no -externalip) @@ -2851,7 +2819,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Do not load the wallet and disable wallet RPC calls - + Nenačítat peněženku a vypnout její RPC volání Do you want to rebuild the block database now? @@ -2935,7 +2903,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fees smaller than this are considered zero fee (for relaying) (default: - + Poplatky menší než tato hodnota jsou považovány za nulové (pro přeposílání transakcí) (výchozí: Find peers using DNS lookup (default: 1 unless -connect) @@ -2955,7 +2923,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. If <category> is not supplied, output all debugging information. - + Pokud není <category> zadána, bude tisknout veškeré ladicí informace. Importing... @@ -2966,8 +2934,8 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Nemám žádný nebo jen špatný genesis blok. Není špatně nastavený datadir? - Invalid -onion address: '%s' - Neplatná -onion adresa: '%s' + Invalid -onion address: '%s' + Neplatná -onion adresa: '%s' Not enough file descriptors available. @@ -2979,7 +2947,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. RPC client options: - + Možnosti RPC klienta: Rebuild block chain index from current blk000??.dat files @@ -3007,7 +2975,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Spend unconfirmed change when sending transactions (default: 1) - + Utrácet i ještě nepotvrzené drobné při posílání transakcí (výchozí: 1) This is intended for regression testing tools and app development. @@ -3015,7 +2983,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Usage (deprecated, use bitcoin-cli): - + Užití (zastaralé, použij bitcoin-cli): Verifying blocks... @@ -3027,7 +2995,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wait for RPC server to start - + Počkat, než RPC server nastartuje Wallet %s resides outside data directory %s @@ -3035,11 +3003,11 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wallet options: - + Možnosti peněženky: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Upozornění: Zastaralý argument -debugnet se ignoruje, použij -debug=net You need to rebuild the database using -reindex to change -txindex @@ -3070,20 +3038,20 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Informace - Invalid amount for -minrelaytxfee=<amount>: '%s' - Neplatná částka pro -minrelaytxfee=<částka>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Neplatná částka pro -minrelaytxfee=<částka>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Neplatná částka pro -mintxfee=<částka>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Neplatná částka pro -mintxfee=<částka>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + Omezit velikost vyrovnávací paměti pro podpisy na <n> položek (výchozí: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Zaznamenávat během těžení bloků prioritu transakce a poplatek za kB (výchozí: 0) Maintain a full transaction index (default: 0) @@ -3107,35 +3075,35 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Print block on startup, if found in block index - + Vypsat při startu blok,pokud se nachází v indexu bloků Print block tree on startup (default: 0) - + Vypsat při startu strom bloků (výchozí: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Možnosti SSL pro RPC: (viz instrukce nastavení SSL na Bitcoin Wiki) RPC server options: - + Možnosti RPC serveru: Randomly drop 1 of every <n> network messages - + Náhodně zahazovat jednu z každých <n> síťových zpráv Randomly fuzz 1 of every <n> network messages - + Náhodně pozměňovat jednu z každých <n> síťových zpráv Run a thread to flush wallet periodically (default: 1) - + Spustit vlákno pročišťující periodicky peněženku (výchozí: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Možnosti SSL: (viz instrukce nastavení SSL v Bitcoin Wiki) + Možnosti SSL: (viz instrukce nastavení SSL na Bitcoin Wiki) Send command to Bitcoin Core @@ -3151,15 +3119,15 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Nastavit příznak DB_PRIVATE v databázovém prostředí peněženky (výchozí: 1) Show all debugging options (usage: --help -help-debug) - + Zobrazit všechny možnosti ladění (užití: --help -help-debug) Show benchmark information (default: 0) - + Zobrazit výkonnostní informace (výchozí: 0) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3175,7 +3143,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Spustit Bitcoin Core démona System error: @@ -3215,7 +3183,7 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Zapping all transactions from wallet... - + Vymazat všechny transakce z peněženky... on startup @@ -3302,28 +3270,28 @@ například: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Chyba při načítání wallet.dat - Invalid -proxy address: '%s' - Neplatná -proxy adresa: '%s' + Invalid -proxy address: '%s' + Neplatná -proxy adresa: '%s' - Unknown network specified in -onlynet: '%s' - V -onlynet byla uvedena neznámá síť: '%s' + Unknown network specified in -onlynet: '%s' + V -onlynet byla uvedena neznámá síť: '%s' Unknown -socks proxy version requested: %i V -socks byla požadována neznámá verze proxy: %i - Cannot resolve -bind address: '%s' - Nemohu přeložit -bind adresu: '%s' + Cannot resolve -bind address: '%s' + Nemohu přeložit -bind adresu: '%s' - Cannot resolve -externalip address: '%s' - Nemohu přeložit -externalip adresu: '%s' + Cannot resolve -externalip address: '%s' + Nemohu přeložit -externalip adresu: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Neplatná částka pro -paytxfee=<částka>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Neplatná částka pro -paytxfee=<částka>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_cy.ts b/src/qt/locale/bitcoin_cy.ts index b7624f07f27..9bc7cd5b12b 100644 --- a/src/qt/locale/bitcoin_cy.ts +++ b/src/qt/locale/bitcoin_cy.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -42,94 +13,14 @@ This product includes software developed by the OpenSSL Project for use in the O Creu cyfeiriad newydd - &New - - - Copy the currently selected address to the system clipboard - Copio'r cyfeiriad sydd wedi'i ddewis i'r clipfwrdd system - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - + Copio'r cyfeiriad sydd wedi'i ddewis i'r clipfwrdd system &Delete &Dileu - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +39,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Teipiwch gyfrinymadrodd @@ -169,23 +56,23 @@ This product includes software developed by the OpenSSL Project for use in the O Encrypt wallet - Amgryptio'r waled + Amgryptio'r waled This operation needs your wallet passphrase to unlock the wallet. - Mae angen i'r gweithred hon ddefnyddio'ch cyfrinymadrodd er mwyn datgloi'r waled. + Mae angen i'r gweithred hon ddefnyddio'ch cyfrinymadrodd er mwyn datgloi'r waled. Unlock wallet - Datgloi'r waled + Datgloi'r waled This operation needs your wallet passphrase to decrypt the wallet. - Mae angen i'r gweithred hon ddefnyddio'ch cyfrinymadrodd er mwyn dadgryptio'r waled. + Mae angen i'r gweithred hon ddefnyddio'ch cyfrinymadrodd er mwyn dadgryptio'r waled. Decrypt wallet - Dadgryptio'r waled + Dadgryptio'r waled Change passphrase @@ -193,35 +80,15 @@ This product includes software developed by the OpenSSL Project for use in the O Enter the old and new passphrase to the wallet. - Teipiwch yr hen cyfrinymadrodd a chyfrinymadrodd newydd i mewn i'r waled. + Teipiwch yr hen cyfrinymadrodd a chyfrinymadrodd newydd i mewn i'r waled. Confirm wallet encryption Cadarnau amgryptiad y waled - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted - Waled wedi'i amgryptio - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + Waled wedi'i amgryptio Wallet encryption failed @@ -233,44 +100,28 @@ This product includes software developed by the OpenSSL Project for use in the O The supplied passphrases do not match. - Dydy'r cyfrinymadroddion a ddarparwyd ddim yn cyd-fynd â'u gilydd. + Dydy'r cyfrinymadroddion a ddarparwyd ddim yn cyd-fynd â'u gilydd. Wallet unlock failed - Methodd ddatgloi'r waled - - - The passphrase entered for the wallet decryption was incorrect. - + Methodd ddatgloi'r waled Wallet decryption failed Methodd dadgryptiad y waled - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... - Cysoni â'r rhwydwaith... + Cysoni â'r rhwydwaith... &Overview &Trosolwg - Node - - - Show general overview of wallet Dangos trosolwg cyffredinol y waled @@ -283,10 +134,6 @@ This product includes software developed by the OpenSSL Project for use in the O Pori hanes trafodion - E&xit - - - Quit application Gadael rhaglen @@ -295,112 +142,12 @@ This product includes software developed by the OpenSSL Project for use in the O Dangos gwybodaeth am Bitcoin - About &Qt - - - - Show information about Qt - - - &Options... &Opsiynau - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - Change the passphrase used for wallet encryption - Newid y cyfrinymadrodd a ddefnyddiwyd ar gyfer amgryptio'r waled - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + Newid y cyfrinymadrodd a ddefnyddiwyd ar gyfer amgryptio'r waled &File @@ -423,90 +170,6 @@ This product includes software developed by the OpenSSL Project for use in the O [testnet] - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - Error Gwall @@ -532,2829 +195,337 @@ This product includes software developed by the OpenSSL Project for use in the O Incoming transaction - Trafodiad sy'n cyrraedd - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - + Trafodiad sy'n cyrraedd Wallet is <b>encrypted</b> and currently <b>unlocked</b> - Mae'r waled <b>wedi'i amgryptio</b> ac <b>heb ei gloi</b> ar hyn o bryd + Mae'r waled <b>wedi'i amgryptio</b> ac <b>heb ei gloi</b> ar hyn o bryd Wallet is <b>encrypted</b> and currently <b>locked</b> - Mae'r waled <b>wedi'i amgryptio</b> ac <b>ar glo</b> ar hyn o bryd - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Mae'r waled <b>wedi'i amgryptio</b> ac <b>ar glo</b> ar hyn o bryd - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - + Address + Cyfeiriad - Quantity: - + Date + Dyddiad - Bytes: - + (no label) + (heb label) + + + EditAddressDialog - Amount: - + Edit Address + Golygu'r cyfeiriad - Priority: - + &Label + &Label - Fee: - + &Address + &Cyfeiriad - Low Output: - + New receiving address + Cyfeiriad derbyn newydd - After Fee: - + New sending address + Cyfeiriad anfon newydd - Change: - + Edit receiving address + Golygu'r cyfeiriad derbyn - (un)select all - + Edit sending address + Golygu'r cyfeiriad anfon - Tree mode - + The entered address "%1" is already in the address book. + Mae'r cyfeiriad "%1" sydd newydd gael ei geisio gennych yn y llyfr cyfeiriad yn barod. - List mode - + Could not unlock wallet. + Methodd ddatgloi'r waled. - Amount - + New key generation failed. + Methodd gynhyrchu allwedd newydd. + + + FreespaceChecker + + + HelpMessageDialog + + + Intro - Address - Cyfeiriad + Error + Gwall + + + OpenURIDialog + + + OptionsDialog - Date - Dyddiad + Options + Opsiynau + + + OverviewPage - Confirmations - + Form + Ffurflen - Confirmed - + <b>Recent transactions</b> + <b>Trafodion diweddar</b> + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole - Priority - + &Information + Gwybodaeth + + + ReceiveCoinsDialog - Copy address - + &Label: + &Label: + + + ReceiveRequestDialog - Copy label - + Address + Cyfeiriad - Copy amount - + Label + Label - Copy transaction ID - + Message + Neges + + + RecentRequestsTableModel - Lock unspent - + Date + Dyddiad - Unlock unspent - + Label + Label - Copy quantity - + Message + Neges - Copy fee - + (no label) + (heb label) + + + SendCoinsDialog - Copy after fee - + Send Coins + Anfon arian - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - + Send to multiple recipients at once + Anfon at pobl lluosog ar yr un pryd - This means a fee of at least %1 is required. - + Balance: + Gweddill: - Amounts below 0.546 times the minimum relay fee are shown as dust. - + Confirm the send action + Cadarnhau'r gweithrediad anfon - This label turns red, if the change is smaller than %1. - + %1 to %2 + %1 i %2 (no label) (heb label) - - change from %1 (%2) - - - - (change) - - - + - EditAddressDialog - - Edit Address - Golygu'r cyfeiriad - - - &Label - &Label - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Cyfeiriad - - - New receiving address - Cyfeiriad derbyn newydd - - - New sending address - Cyfeiriad anfon newydd - - - Edit receiving address - Golygu'r cyfeiriad derbyn - + SendCoinsEntry - Edit sending address - Golygu'r cyfeiriad anfon + A&mount: + &Maint - The entered address "%1" is already in the address book. - Mae'r cyfeiriad "%1" sydd newydd gael ei geisio gennych yn y llyfr cyfeiriad yn barod. + &Label: + &Label: - The entered address "%1" is not a valid Bitcoin address. - + Alt+A + Alt+A - Could not unlock wallet. - Methodd ddatgloi'r waled. + Paste address from clipboard + Gludo cyfeiriad o'r glipfwrdd - New key generation failed. - Methodd gynhyrchu allwedd newydd. + Alt+P + Alt+P - + - FreespaceChecker - - A new data directory will be created. - - + ShutdownWindow + + + SignVerifyMessageDialog - name - + Alt+A + Alt+A - Directory already exists. Add %1 if you intend to create a new directory here. - + Paste address from clipboard + Gludo cyfeiriad o'r glipfwrdd - Path already exists, and is not a directory. - + Alt+P + Alt+P + + + SplashScreen - Cannot create data directory here. - + [testnet] + [testnet] - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - + TrafficGraphWidget + + + TransactionDesc - Set SSL root certificates for payment request (default: -system-) - + Open until %1 + Agor tan %1 - Show splash screen on startup (default: 1) - + Date + Dyddiad - Choose data directory on startup (default: 0) - + Message + Neges - + - Intro - - Welcome - - + TransactionDescDialog + + + TransactionTableModel - Welcome to Bitcoin Core. - + Date + Dyddiad - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Type + Math - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Address + Cyfeiriad - Use the default data directory - + Open until %1 + Agor tan %1 + + + TransactionView - Use a custom data directory: - + Today + Heddiw - Bitcoin - + This year + Eleni - Error: Specified data directory "%1" can not be created. - + Date + Dyddiad - Error - Gwall + Type + Math - GB of free space available - + Label + Label - (of %1GB needed) - + Address + Cyfeiriad - + - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - + WalletFrame + + + WalletModel - Select payment request file to open - + Send Coins + Anfon arian - OptionsDialog - - Options - Opsiynau - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - + WalletView + + + bitcoin-core - &Window - + Information + Gwybodaeth - Show only a tray icon after minimizing the window. - + Warning + Rhybudd - &Minimize to the tray instead of the taskbar - + Error + Gwall - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Ffurflen - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Trafodion diweddar</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Label: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Cyfeiriad - - - Amount - - - - Label - Label - - - Message - Neges - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Dyddiad - - - Label - Label - - - Message - Neges - - - Amount - - - - (no label) - (heb label) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Anfon arian - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Anfon at pobl lluosog ar yr un pryd - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Gweddill: - - - Confirm the send action - Cadarnhau'r gweithrediad anfon - - - S&end - - - - Confirm send coins - - - - %1 to %2 - %1 i %2 - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (heb label) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - &Maint - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - &Label: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - Gludo cyfeiriad o'r glipfwrdd - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Gludo cyfeiriad o'r glipfwrdd - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Agor tan %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - Dyddiad - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - Neges - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - Dyddiad - - - Type - Math - - - Address - Cyfeiriad - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Agor tan %1 - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - Heddiw - - - This week - - - - This month - - - - Last month - - - - This year - Eleni - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - Dyddiad - - - Type - Math - - - Label - Label - - - Address - Cyfeiriad - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - Gwybodaeth - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - Rhybudd - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - Gwall - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_da.ts b/src/qt/locale/bitcoin_da.ts index 3d89d2e5c55..9c62f4d85a3 100644 --- a/src/qt/locale/bitcoin_da.ts +++ b/src/qt/locale/bitcoin_da.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Om Bitcoin Core <b>Bitcoin Core</b> version - + <b>Bitcoin Core</b> version @@ -19,21 +19,21 @@ This product includes software developed by the OpenSSL Project for use in the O Dette program er eksperimentelt. -Det er gjort tilgængeligt under MIT/X11-softwarelicensen. Se den medfølgende fil "COPYING" eller http://www.opensource.org/licenses/mit-license.php. +Det er gjort tilgængeligt under MIT/X11-softwarelicensen. Se den medfølgende fil "COPYING" eller http://www.opensource.org/licenses/mit-license.php. Produktet indeholder software som er udviklet af OpenSSL Project til brug i OpenSSL Toolkit (http://www.openssl.org/), kryptografisk software skrevet af Eric Young (eay@cryptsoft.com) og UPnP-software skrevet af Thomas Bernard. Copyright - Copyright + Ophavsret The Bitcoin Core developers - + Udviklerne af Bitcoin Core (%1-bit) - + (%1-bit) @@ -48,23 +48,23 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open &New - &Ny + Ny Copy the currently selected address to the system clipboard - Kopier den valgte adresse til systemets udklipsholder + Kopiér den valgte adresse til systemets udklipsholder &Copy - &Kopiér + Kopiér C&lose - + Luk &Copy Address - Kopier adresse + Kopiér adresse Delete the currently selected address from the list @@ -76,7 +76,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open &Export - Eksporter + Eksportér &Delete @@ -84,23 +84,23 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Choose the address to send coins to - + Vælg adresse at sende bitcoins til Choose the address to receive coins with - + Vælg adresse at modtage bitcoins med C&hoose - + Vælg Sending addresses - + Afsendelsesadresser Receiving addresses - + Modtagelsesadresser These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. @@ -108,19 +108,19 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Dette er dine Bitcoin-adresser til at modtage betalinger med. Det anbefales are bruge en ny modtagelsesadresse for hver transaktion. Copy &Label - Kopier mærkat + Kopiér mærkat &Edit - Rediger + Redigér Export Address List - + Eksportér adresseliste Comma separated file (*.csv) @@ -128,11 +128,11 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Exporting Failed - + Eksport mislykkedes There was an error trying to save the address list to %1. - + En fejl opstod under gemning af adresseliste til %1. @@ -174,7 +174,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Encrypt wallet - Krypter tegnebog + Kryptér tegnebog This operation needs your wallet passphrase to unlock the wallet. @@ -190,7 +190,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Decrypt wallet - Dekrypter tegnebog + Dekryptér tegnebog Change passphrase @@ -214,7 +214,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - VIGTIGT: Enhver tidligere sikkerhedskopi, som du har lavet af tegnebogsfilen, bør blive erstattet af den nyligt genererede, krypterede tegnebogsfil. Af sikkerhedsmæssige årsager vil tidligere sikkerhedskopier af den ikke-krypterede tegnebogsfil blive ubrugelig i det øjeblik, du starter med at anvende den nye, krypterede tegnebog. + VIGTIGT: Enhver tidligere sikkerhedskopi, som du har lavet af tegnebogsfilen, bør blive erstattet af den nyligt genererede, krypterede tegnebogsfil. Af sikkerhedsmæssige årsager vil tidligere sikkerhedskopier af den ikke-krypterede tegnebogsfil blive ubrugelige i det øjeblik, du starter med at anvende den nye, krypterede tegnebog. Warning: The Caps Lock key is on! @@ -261,11 +261,11 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open BitcoinGUI Sign &message... - Underskriv besked... + Underskriv besked … Synchronizing with network... - Synkroniserer med netværk... + Synkroniserer med netværk … &Overview @@ -273,7 +273,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Node - + Knude Show general overview of wallet @@ -309,39 +309,39 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open &Options... - Indstillinger... + Indstillinger … &Encrypt Wallet... - Krypter tegnebog... + Kryptér tegnebog … &Backup Wallet... - Sikkerhedskopier tegnebog... + Sikkerhedskopiér tegnebog … &Change Passphrase... - Skift adgangskode... + Skift adgangskode … &Sending addresses... - + Afsendelsesadresser … &Receiving addresses... - + Modtagelsesadresser … Open &URI... - + Åbn URI … Importing blocks from disk... - Importerer blokke fra disken... + Importerer blokke fra disken … Reindexing blocks on disk... - Genindekserer blokke på disken... + Genindekserer blokke på disken … Send coins to a Bitcoin address @@ -349,7 +349,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Modify configuration options for Bitcoin - Rediger konfigurationsindstillinger af Bitcoin + Redigér konfigurationsindstillinger for Bitcoin Backup wallet to another location @@ -369,7 +369,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open &Verify message... - Verificér besked... + Verificér besked … Bitcoin @@ -397,7 +397,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Encrypt the private keys that belong to your wallet - Krypter de private nøgler, der hører til din tegnebog + Kryptér de private nøgler, der hører til din tegnebog Sign messages with your Bitcoin addresses to prove you own them @@ -405,7 +405,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Verify messages to ensure they were signed with specified Bitcoin addresses - Verificér beskeder for at sikre, at de er underskrevet med de(n) angivne Bitcoin-adresse(r) + Verificér beskeder for at sikre, at de er underskrevet med de angivne Bitcoin-adresser &File @@ -413,7 +413,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open &Settings - Indstillinger + Opsætning &Help @@ -433,31 +433,31 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Request payments (generates QR codes and bitcoin: URIs) - + Forespørg betalinger (genererer QR-koder og "bitcoin:"-URI'er) &About Bitcoin Core - + Om Bitcoin Core Show the list of used sending addresses and labels - + Vis listen over brugte afsendelsesadresser og -mærkater Show the list of used receiving addresses and labels - + Vis listen over brugte modtagelsesadresser og -mærkater Open a bitcoin: URI or payment request - + Åbn en "bitcoin:"-URI eller betalingsforespørgsel &Command-line options - + Tilvalg for kommandolinje Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Vis Bitcoin Core hjælpebesked for at få en liste over mulige tilvalg for Bitcoin kommandolinje Bitcoin client @@ -465,11 +465,11 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open %n active connection(s) to Bitcoin network - %n aktiv(e) forbindelse(r) til Bitcoin-netværket%n aktiv(e) forbindelse(r) til Bitcoin-netværket + %n aktiv forbindelse til Bitcoin-netværket%n aktive forbindelser til Bitcoin-netværket No block source available... - Ingen blokkilde tilgængelig... + Ingen blokkilde tilgængelig … Processed %1 of %2 (estimated) blocks of transaction history. @@ -493,11 +493,11 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open %1 and %2 - + %1 og %2 %n year(s) - + %n år%n år %1 behind @@ -529,7 +529,7 @@ Produktet indeholder software som er udviklet af OpenSSL Project til brug i Open Catching up... - Indhenter... + Indhenter … Sent transaction @@ -575,15 +575,15 @@ Adresse: %4 CoinControlDialog Coin Control Address Selection - + Adressevalg for coin-styring Quantity: - + Mængde: Bytes: - + Byte: Amount: @@ -591,35 +591,35 @@ Adresse: %4 Priority: - + Prioritet: Fee: - + Gebyr: Low Output: - + Lavt output: After Fee: - + Efter gebyr: Change: - + Byttepenge: (un)select all - + (af)vælg alle Tree mode - + Trætilstand List mode - + Listetilstand Amount @@ -635,7 +635,7 @@ Adresse: %4 Confirmations - + Bekræftelser Confirmed @@ -643,151 +643,151 @@ Adresse: %4 Priority - + Prioritet Copy address - Kopier adresse + Kopiér adresse Copy label - Kopier mærkat + Kopiér mærkat Copy amount - Kopier beløb + Kopiér beløb Copy transaction ID - Kopier transaktionens ID + Kopiér transaktions-ID Lock unspent - + Fastlås ubrugte Unlock unspent - + Lås ubrugte op Copy quantity - + Kopiér mængde Copy fee - + Kopiér gebyr Copy after fee - + Kopiér efter-gebyr Copy bytes - + Kopiér byte Copy priority - + Kopiér prioritet Copy low output - + Kopiér lavt output Copy change - + Kopiér byttepenge highest - + højest higher - + højere high - + højt medium-high - + mellemhøj medium - + medium low-medium - + mellemlav low - + lav lower - + lavere lowest - + lavest (%1 locked) - + (%1 fastlåst) none - + ingen Dust - + Støv yes - + ja no - + nej This label turns red, if the transaction size is greater than 1000 bytes. - + Dette mærkat bliver rødt, hvis transaktionsstørrelsen er større end 1000 byte. This means a fee of at least %1 per kB is required. - + Dette betyder, at et gebyr på mindst %1 pr. kB er nødvendigt. Can vary +/- 1 byte per input. - + Kan variere ±1 byte pr. input. Transactions with higher priority are more likely to get included into a block. - + Transaktioner med højere prioritet har højere sansynlighed for at blive inkluderet i en blok. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Dette mærkat bliver rødt, hvis prioriteten er mindre end "medium". This label turns red, if any recipient receives an amount smaller than %1. - + Dette mærkat bliver rødt, hvis mindst én modtager et beløb mindre end %1. This means a fee of at least %1 is required. - + Dette betyder, at et gebyr på mindst %1 er nødvendigt. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Beløb under 0,546 gange det minimale videreførselsgebyr vises som støv. This label turns red, if the change is smaller than %1. - + Dette mærkat bliver rødt, hvis byttepengene er mindre end %1. (no label) @@ -795,18 +795,18 @@ Adresse: %4 change from %1 (%2) - + byttepenge fra %1 (%2) (change) - + (byttepange) EditAddressDialog Edit Address - Rediger adresse + Redigér adresse &Label @@ -814,11 +814,11 @@ Adresse: %4 The label associated with this address list entry - + Mærkatet, der er associeret med denne indgang i adresselisten The address associated with this address list entry. This can only be modified for sending addresses. - + Adressen, der er associeret med denne indgang i adresselisten. Denne kan kune ændres for afsendelsesadresser. &Address @@ -834,19 +834,19 @@ Adresse: %4 Edit receiving address - Rediger modtagelsesadresse + Redigér modtagelsesadresse Edit sending address - Rediger afsendelsesadresse + Redigér afsendelsesadresse - The entered address "%1" is already in the address book. - Den indtastede adresse "%1" er allerede i adressebogen. + The entered address "%1" is already in the address book. + Den indtastede adresse "%1" er allerede i adressebogen. - The entered address "%1" is not a valid Bitcoin address. - Den indtastede adresse "%1" er ikke en gyldig Bitcoin-adresse. + The entered address "%1" is not a valid Bitcoin address. + Den indtastede adresse "%1" er ikke en gyldig Bitcoin-adresse. Could not unlock wallet. @@ -861,7 +861,7 @@ Adresse: %4 FreespaceChecker A new data directory will be created. - + En ny datamappe vil blive oprettet. name @@ -869,22 +869,22 @@ Adresse: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Mappe eksisterer allerede. Tilføj %1, hvis du vil oprette en ny mappe her. Path already exists, and is not a directory. - + Sti eksisterer allerede og er ikke en mappe. Cannot create data directory here. - + Kan ikke oprette en mappe her. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core – tilvalg for kommandolinje Bitcoin Core @@ -907,8 +907,8 @@ Adresse: %4 Brugergrænsefladeindstillinger - Set language, for example "de_DE" (default: system locale) - Angiv sprog, f.eks "de_DE" (standard: systemlokalitet) + Set language, for example "de_DE" (default: system locale) + Angiv sprog, fx "da_DK" (standard: systemlokalitet) Start minimized @@ -916,15 +916,15 @@ Adresse: %4 Set SSL root certificates for payment request (default: -system-) - + Sæt SSL-rodcertifikater for betalingsforespørgsel (standard: -system-) Show splash screen on startup (default: 1) - Vis opstartsbillede ved start (standard: 1) + Vis opstartsbillede ved opstart (standard: 1) Choose data directory on startup (default: 0) - + Vælg datamappe ved opstart (standard: 0) @@ -935,31 +935,31 @@ Adresse: %4 Welcome to Bitcoin Core. - + Velkommen til Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Siden dette er første gang, programmet startes, kan du vælge, hvor Bitcoin Core skal gemme sin data. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Bitcoin Core vil downloade og gemme et kopi af Bitcoin-blokkæden. Mindst %1 GB data vil blive gemt i denne mappe, og den vil vokse over tid. Tegnebogen vil også blive gemt i denne mappe. Use the default data directory - + Brug standardmappen for data Use a custom data directory: - + Brug tilpasset mappe for data: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Fejl: Angivet datamappe "%1" kan ikke oprettes. Error @@ -967,34 +967,34 @@ Adresse: %4 GB of free space available - + GB fri plads tilgængelig (of %1GB needed) - + (ud af %1 GB behøvet) OpenURIDialog Open URI - + Åbn URI Open payment request from URI or file - + Åbn betalingsforespørgsel fra URI eller fil URI: - + URI: Select payment request file - + Vælg fil for betalingsforespørgsel Select payment request file to open - + Vælg fil for betalingsforespørgsel til åbning @@ -1017,39 +1017,47 @@ Adresse: %4 Automatically start Bitcoin after logging in to the system. - Start Bitcoin automatisk, når der logges ind på systemet + Start Bitcoin automatisk, når der logges ind på systemet. &Start Bitcoin on system login - Start Bitcoin, når systemet startes + Start Bitcoin ved systemlogin Size of &database cache - + Størrelsen på databasens cache MB - + MB Number of script &verification threads - + Antallet af scriptverificeringstråde Connect to the Bitcoin network through a SOCKS proxy. - + Forbind til Bitcoin-netværket gennem en SOCKS-proxy. &Connect through SOCKS proxy (default proxy): - + Forbind gennem SOCKS-proxy (standard-proxy): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + IP-adresse for proxyen (fx IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Tredjeparts-URL'er (fx et blokhåndteringsværktøj), der vises i transaktionsfanen som genvejsmenupunkter. %s i URL'en erstattes med transaktionens hash. Flere URL'er separeres med en lodret streg |. + + + Third party transaction URLs + Tredjeparts-transaktions-URL'er Active command-line options that override above options: - + Aktuelle tilvalg for kommandolinjen, der tilsidesætter ovenstående tilvalg: Reset all client options to default. @@ -1065,35 +1073,35 @@ Adresse: %4 (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = efterlad så mange kerner fri) W&allet - + Tegnebog Expert - + Ekspert Enable coin &control features - + Slå egenskaber for coin-styring til If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Hvis du slår brug af ubekræftede byttepenge fra, kan byttepengene fra en transaktion ikke bruges, før pågældende transaktion har mindst én bekræftelse. Dette påvirker også måden hvorpå din saldo beregnes. &Spend unconfirmed change - + Brug ubekræftede byttepenge Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - Åbn Bitcoin-klientens port på routeren automatisk. Dette virker kun, når din router understøtter UPnP og UPnP er aktiveret. + Åbn automatisk Bitcoin-klientens port på routeren. Dette virker kun, når din router understøtter UPnP, og UPnP er aktiveret. Map port using &UPnP - Konfigurer port vha. UPnP + Konfigurér port vha. UPnP Proxy &IP: @@ -1105,7 +1113,7 @@ Adresse: %4 Port of the proxy (e.g. 9050) - Porten på proxyen (f.eks. 9050) + Port for proxyen (fx 9050) SOCKS &Version: @@ -1113,7 +1121,7 @@ Adresse: %4 SOCKS version of the proxy (e.g. 5) - SOCKS-version af proxyen (f.eks. 5) + SOCKS-version for proxyen (fx 5) &Window @@ -1125,15 +1133,15 @@ Adresse: %4 &Minimize to the tray instead of the taskbar - Minimer til statusfeltet i stedet for proceslinjen + Minimér til statusfeltet i stedet for proceslinjen Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Minimer i stedet for at afslutte programmet, når vinduet lukkes. Når denne indstilling er valgt, vil programmet kun blive lukket, når du har valgt Afslut i menuen. + Minimér i stedet for at afslutte programmet, når vinduet lukkes. Når denne indstilling er valgt, vil programmet kun blive lukket, når du har valgt Afslut i menuen. M&inimize on close - Minimer ved lukning + Minimér ved lukning &Display @@ -1141,11 +1149,11 @@ Adresse: %4 User Interface &language: - Brugergrænsefladesprog: + Sprog for brugergrænseflade: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - Brugergrænsefladesproget kan angives her. Denne indstilling træder først i kraft, når Bitcoin genstartes. + Sproget for brugergrænsefladen kan angives her. Denne indstilling træder først i kraft, når Bitcoin genstartes. &Unit to show amounts in: @@ -1153,7 +1161,7 @@ Adresse: %4 Choose the default subdivision unit to show in the interface and when sending coins. - Vælg den standard underopdelingsenhed, som skal vises i brugergrænsefladen og ved afsendelse af bitcoins. + Vælg standard for underopdeling af enhed, som skal vises i brugergrænsefladen og ved afsendelse af bitcoins. Whether to show Bitcoin addresses in the transaction list or not. @@ -1165,7 +1173,7 @@ Adresse: %4 Whether to show coin control features or not. - + Hvorvidt egenskaber for coin-styring skal vises eller ej. &OK @@ -1173,7 +1181,7 @@ Adresse: %4 &Cancel - Annuller + Annullér default @@ -1181,7 +1189,7 @@ Adresse: %4 none - + ingeningen Confirm options reset @@ -1189,19 +1197,19 @@ Adresse: %4 Client restart required to activate changes. - + Genstart af klienten er nødvendig for at aktivere ændringer. Client will be shutdown, do you want to proceed? - + Klienten vil blive lukket ned; vil du fortsætte? This change would require a client restart. - + Denne ændring vil kræve en genstart af klienten. The supplied proxy address is invalid. - Ugyldig proxy-adresse + Den angivne proxy-adresse er ugyldig. @@ -1220,7 +1228,7 @@ Adresse: %4 Available: - + Tilgængelig: Your current spendable balance @@ -1228,11 +1236,11 @@ Adresse: %4 Pending: - + Uafgjort: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - Total transaktioner, som ikke er blevet bekræftet endnu, og som ikke endnu er en del af den nuværende saldo + Total saldo for transaktioner, som ikke er blevet bekræftet endnu, og som ikke endnu er en del af den tilgængelige saldo Immature: @@ -1271,11 +1279,11 @@ Adresse: %4 Requested payment amount of %1 is too small (considered dust). - + Forespurgt betalingsbeløb på %1 er for lille (regnes som støv). Payment request error - Fejl i betalingsforespørgelse + Fejl i betalingsforespørgsel Cannot start bitcoin: click-to-pay handler @@ -1283,27 +1291,27 @@ Adresse: %4 Net manager warning - + Net-håndterings-advarsel - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Din aktuelle proxy understøtter ikke SOCKS5, hvilket kræves for betalingsforespørgsler via proxy. Payment request fetch URL is invalid: %1 - + Betalingsforespørgslens hentnings-URL er ugyldig: %1 Payment request file handling - + Filhåndtering for betalingsanmodninger Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + Betalingsanmodningsfil kan ikke indlæses eller bearbejdes! Dette kan skyldes en ugyldig betalingsanmodningsfil. Unverified payment requests to custom payment scripts are unsupported. - + Ikke-verificerede betalingsforespørgsler for tilpassede betalings-scripts understøttes ikke. Refund from %1 @@ -1311,23 +1319,23 @@ Adresse: %4 Error communicating with %1: %2 - + Fejl under kommunikation med %1: %2 Payment request can not be parsed or processed! - + Betalingsanmodning kan ikke fortolkes eller bearbejdes! Bad response from server %1 - + Fejlagtigt svar fra server %1 Payment acknowledged - + Betaling anerkendt Network request error - + Fejl i netværksforespørgsel @@ -1337,35 +1345,35 @@ Adresse: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - + Error: Specified data directory "%1" does not exist. + Fejl: Angivet datamappe "%1" eksisterer ikke. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Fejl: Kan ikke fortolke konfigurationsfil: %1. Brug kun syntaksen nøgle=værdi. Error: Invalid combination of -regtest and -testnet. - + Fejl: Ugyldig kombination af -regtest og -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core blev ikke afsluttet på sikker vis … Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Indtast en Bitcoin-adresse (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Indtast en Bitcoin-adresse (fx 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget &Save Image... - &Gem foto... + Gem billede … &Copy Image - &Kopiér foto + Kopiér foto Save QR Code @@ -1373,7 +1381,7 @@ Adresse: %4 PNG Image (*.png) - + PNG-billede (*.png) @@ -1396,11 +1404,11 @@ Adresse: %4 Debug window - + Fejlsøgningsvindue General - + Generelt Using OpenSSL version @@ -1408,7 +1416,7 @@ Adresse: %4 Startup time - Opstartstid + Opstartstidspunkt Network @@ -1448,23 +1456,23 @@ Adresse: %4 &Network Traffic - + Netværkstrafik &Clear - + Ryd Totals - + Totaler In: - + Indkommende: Out: - Ud: + Udgående: Build date @@ -1476,7 +1484,7 @@ Adresse: %4 Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - Åbn Bitcoin-fejlsøgningslogfilen fra det nuværende datakatalog. Dette kan tage nogle få sekunder for en store logfiler. + Åbn Bitcoin-fejlsøgningslogfilen fra den nuværende datamappe. Dette kan tage nogle få sekunder for store logfiler. Clear console @@ -1484,11 +1492,11 @@ Adresse: %4 Welcome to the Bitcoin RPC console. - Velkommen til Bitcoin RPC-konsollen + Velkommen til Bitcoin RPC-konsollen. Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - Brug op og ned-piletasterne til at navigere historikken og <b>Ctrl-L</b> til at rydde skærmen. + Brug op- og ned-piletasterne til at navigere i historikken og <b>Ctrl-L</b> til at rydde skærmen. Type <b>help</b> for an overview of available commands. @@ -1527,7 +1535,7 @@ Adresse: %4 ReceiveCoinsDialog &Amount: - &Mængde: + Beløb: &Label: @@ -1535,35 +1543,35 @@ Adresse: %4 &Message: - &Besked: + Besked: Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Genbrug en af de tidligere brugte modtagelsesadresser. Genbrug af adresser har indflydelse på sikkerhed og privatliv. Brug ikke dette med mindre du genskaber en betalingsforespørgsel fra tidligere. R&euse an existing receiving address (not recommended) - + Genbrug en eksisterende modtagelsesadresse (anbefales ikke) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + En valgfri besked, der føjes til betalingsanmodningen, og som vil vises, når anmodningen åbnes. Bemærk: Beskeden vil ikke sendes med betalingen over Bitcoin-netværket. An optional label to associate with the new receiving address. - + Et valgfrit mærkat, der associeres med den nye modtagelsesadresse. Use this form to request payments. All fields are <b>optional</b>. - + Brug denne formular for at anmode om betalinger. Alle felter er <b>valgfri</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Et valgfrit beløb til anmodning. Lad dette felt være tomt eller indeholde nul for at anmode om et ikke-specifikt beløb. Clear all fields of the form. - Ryd alle fælter af formen. + Ryd alle felter af formen. Clear @@ -1571,35 +1579,35 @@ Adresse: %4 Requested payments history - + Historik over betalingsanmodninger &Request payment - &Anmod betaling + Anmod om betaling Show the selected request (does the same as double clicking an entry) - + Vis den valgte forespørgsel (gør det samme som dobbeltklik på en indgang) Show - + Vis Remove the selected entries from the list - + Fjern de valgte indgange fra listen Remove - + Fjern Copy label - Kopier mærkat + Kopiér mærkat Copy message - + Kopiér besked Copy amount @@ -1610,23 +1618,23 @@ Adresse: %4 ReceiveRequestDialog QR Code - QR Kode + QR-kode Copy &URI - Kopiér &URL + Kopiér URI Copy &Address - Kopiér &Adresse + Kopiér adresse &Save Image... - &Gem foto... + Gem billede … Request payment to %1 - + Anmod om betaling til %1 Payment information @@ -1658,7 +1666,7 @@ Adresse: %4 Error encoding URI into QR Code. - Fejl ved kodning fra URI til QR-kode + Fejl ved kodning fra URI til QR-kode. @@ -1685,11 +1693,11 @@ Adresse: %4 (no message) - + (ingen besked) (no amount) - + (intet beløb) @@ -1700,27 +1708,27 @@ Adresse: %4 Coin Control Features - + Egenskaber for coin-styring Inputs... - + Inputs … automatically selected - + valgt automatisk Insufficient funds! - + Utilstrækkelige midler! Quantity: - + Mængde: Bytes: - + Byte: Amount: @@ -1728,31 +1736,31 @@ Adresse: %4 Priority: - + Prioritet: Fee: - + Gebyr: Low Output: - + Lavt output: After Fee: - + Efter gebyr: Change: - + Byttepenge: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Hvis dette aktiveres, men byttepengeadressen er tom eller ugyldig, vil byttepenge blive sendt til en nygenereret adresse. Custom change address - + Tilpasset byttepengeadresse Send to multiple recipients at once @@ -1764,7 +1772,7 @@ Adresse: %4 Clear all fields of the form. - Ryd alle fælter af formen. + Ryd alle felter af formen. Clear &All @@ -1788,11 +1796,11 @@ Adresse: %4 %1 to %2 - + %1 til %2 Copy quantity - + Kopiér mængde Copy amount @@ -1800,35 +1808,35 @@ Adresse: %4 Copy fee - + Kopiér gebyr Copy after fee - + Kopiér efter-gebyr Copy bytes - + Kopiér byte Copy priority - + Kopiér prioritet Copy low output - + Kopiér lavt output Copy change - + Kopiér byttepenge Total Amount %1 (= %2) - + Totalbeløb %1 (= %2) or - + eller The recipient address is not valid, please recheck. @@ -1844,23 +1852,23 @@ Adresse: %4 The total exceeds your balance when the %1 transaction fee is included. - Totalen overstiger din saldo, når %1 transaktionsgebyr er inkluderet. + Totalen overstiger din saldo, når transaktionsgebyret på %1 er inkluderet. Duplicate address found, can only send to each address once per send operation. - Duplikeret adresse fundet. Du kan kun sende til hver adresse en gang pr. afsendelse. + Duplikeret adresse fundet. Du kan kun sende til hver adresse én gang pr. afsendelse. Transaction creation failed! - + Oprettelse af transaktion mislykkedes! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Transaktionen blev afvist! Dette kan ske, hvis nogle af dine bitcoins i din tegnebog allerede er brugt, som hvis du brugte en kopi af wallet.dat og dine bitcoins er blevet brugt i kopien, men ikke er markeret som brugt her. Warning: Invalid Bitcoin address - + Advarsel: Ugyldig Bitcoin-adresse (no label) @@ -1868,11 +1876,11 @@ Adresse: %4 Warning: Unknown change address - + Advarsel: Ukendt byttepengeadresse Are you sure you want to send? - Er du sikker på at du vil sende? + Er du sikker på, at du vil sende? added as transaction fee @@ -1880,11 +1888,11 @@ Adresse: %4 Payment request expired - Betalingsforespørgsel udløb + Betalingsforespørgsel udløbet Invalid payment address %1 - + Ugyldig betalingsadresse %1 @@ -1899,7 +1907,7 @@ Adresse: %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Bitcoin-adressen som betalingen skal sendes til (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Bitcoin-adressen som betalingen skal sendes til (fx 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book @@ -1911,11 +1919,11 @@ Adresse: %4 Choose previously used address - + Vælg tidligere brugt adresse This is a normal payment. - + Dette er en normal betaling. Alt+A @@ -1931,7 +1939,7 @@ Adresse: %4 Remove this entry - + Fjern denne indgang Message: @@ -1939,38 +1947,38 @@ Adresse: %4 This is a verified payment request. - + Dette er en verificeret betalingsforespørgsel. Enter a label for this address to add it to the list of used addresses - + Indtast et mærkat for denne adresse for at føje den til listen over brugte adresser A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + En besked, som blev føjet til "bitcon:"-URI'en, som vil gemmes med transaktionen til din reference. Bemærk: Denne besked vil ikke blive sendt over Bitcoin-netværket. This is an unverified payment request. - + Dette er en ikke-verificeret betalingsforespørgsel. Pay To: - + Betal til: Memo: - + Memo: ShutdownWindow Bitcoin Core is shutting down... - + Bitcoin Core lukker ned … Do not shut down the computer until this window disappears. - + Luk ikke computeren ned, før dette vindue forsvinder. @@ -1989,11 +1997,11 @@ Adresse: %4 The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Bitcoin-adressen som beskeden skal underskrives med (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Bitcoin-adressen som beskeden skal underskrives med (fx 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - + Vælg tidligere brugt adresse Alt+A @@ -2009,7 +2017,7 @@ Adresse: %4 Enter the message you want to sign here - Indtast beskeden, du ønsker at underskrive + Indtast her beskeden, du ønsker at underskrive Signature @@ -2017,7 +2025,7 @@ Adresse: %4 Copy the current signature to the system clipboard - Kopier den nuværende underskrift til systemets udklipsholder + Kopiér den nuværende underskrift til systemets udklipsholder Sign the message to prove you own this Bitcoin address @@ -2029,7 +2037,7 @@ Adresse: %4 Reset all sign message fields - Nulstil alle "underskriv besked"-felter + Nulstil alle "underskriv besked"-felter Clear &All @@ -2041,11 +2049,11 @@ Adresse: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Indtast den underskrevne adresse, beskeden (inkluder linjeskift, mellemrum mv. nøjagtigt, som de fremgår) og underskriften for at verificére beskeden. Vær forsigtig med ikke at lægge mere i underskriften end besked selv, så du undgår at blive narret af et man-in-the-middle-angreb. + Indtast herunder den underskrivende adresse, beskeden (inkludér linjeskift, mellemrum mv. nøjagtigt, som de fremgår) og underskriften for at verificere beskeden. Vær forsigtig med ikke at lægge mere i underskriften end besked selv, så du undgår at blive narret af et man-in-the-middle-angreb. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Bitcoin-adressen som beskeden er underskrevet med (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Bitcoin-adressen som beskeden er underskrevet med (fx 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify the message to ensure it was signed with the specified Bitcoin address @@ -2057,15 +2065,15 @@ Adresse: %4 Reset all verify message fields - Nulstil alle "verificér besked"-felter + Nulstil alle "verificér besked"-felter Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Indtast en Bitcoin-adresse (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Indtast en Bitcoin-adresse (fx 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klik "Underskriv besked" for at generere underskriften + Click "Sign Message" to generate signature + Klik "Underskriv besked" for at generere underskriften The entered address is invalid. @@ -2073,7 +2081,7 @@ Adresse: %4 Please check the address and try again. - Tjek venligst adressen, og forsøg igen. + Tjek venligst adressen og forsøg igen. The entered address does not refer to a key. @@ -2109,11 +2117,11 @@ Adresse: %4 Message verification failed. - Verificéring af besked mislykkedes. + Verificering af besked mislykkedes. Message verified. - Besked verificéret. + Besked verificeret. @@ -2124,11 +2132,11 @@ Adresse: %4 The Bitcoin Core developers - + Udviklerne af Bitcoin Core [testnet] - [testnet] + [testnetværk] @@ -2146,7 +2154,7 @@ Adresse: %4 conflicted - + konflikt %1/offline @@ -2166,7 +2174,7 @@ Adresse: %4 , broadcast through %n node(s) - , transmitteret igennem %n knude(r), transmitteret igennem %n knude(r) + , transmitteret igennem %n knude, transmitteret igennem %n knuder Date @@ -2202,7 +2210,7 @@ Adresse: %4 matures in %n more block(s) - modner efter yderligere %n blok(ke)modner efter yderligere %n blok(ke) + modner efter yderligere %n blokmodner efter yderligere %n blokke not accepted @@ -2230,15 +2238,15 @@ Adresse: %4 Transaction ID - Transaktionens ID + Transaktions-ID Merchant - + Forretningsdrivende - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Udvundne bitcoins skal modne %1 blokke, før de kan bruges. Da du genererede denne blok, blev den udsendt til netværket for at blive føjet til blokkæden. Hvis det ikke lykkes at få den i kæden, vil dens tilstand ændres til "ikke accepteret", og den vil ikke kunne bruges. Dette kan ske nu og da, hvis en anden knude udvinder en blok inden for nogle få sekunder fra din. Debug information @@ -2308,7 +2316,7 @@ Adresse: %4 Immature (%1 confirmations, will be available after %2) - + Umoden (%1 bekræftelser; vil være tilgængelig efter %2) Open for %n more block(s) @@ -2332,19 +2340,19 @@ Adresse: %4 Offline - + Offline Unconfirmed - + Ubekræftet Confirming (%1 of %2 recommended confirmations) - + Bekræfter (%1 af %2 anbefalede bekræftelser) Conflicted - + Konflikt Received with @@ -2388,7 +2396,7 @@ Adresse: %4 Amount removed from or added to balance. - Beløb fjernet eller tilføjet balance. + Beløb trukket fra eller tilføjet balance. @@ -2419,7 +2427,7 @@ Adresse: %4 Range... - Interval... + Interval … Received with @@ -2451,23 +2459,23 @@ Adresse: %4 Copy address - Kopier adresse + Kopiér adresse Copy label - Kopier mærkat + Kopiér mærkat Copy amount - Kopier beløb + Kopiér beløb Copy transaction ID - Kopier transaktionens ID + Kopiér transaktions-ID Edit label - Rediger mærkat + Redigér mærkat Show transaction details @@ -2475,23 +2483,23 @@ Adresse: %4 Export Transaction History - + Historik for eksport af transaktioner Exporting Failed - + Eksport mislykkedes There was an error trying to save the transaction history to %1. - + En fejl opstod under gemning af transaktionshistorik til %1. Exporting Successful - + Eksport problemfri The transaction history was successfully saved to %1. - + Transaktionshistorikken blev gemt til %1 med succes. Comma separated file (*.csv) @@ -2538,7 +2546,7 @@ Adresse: %4 WalletFrame No wallet has been loaded. - + Ingen tegnebog er indlæst. @@ -2552,7 +2560,7 @@ Adresse: %4 WalletView &Export - Eksporter + Eksportér Export the data in the current tab to a file @@ -2560,7 +2568,7 @@ Adresse: %4 Backup Wallet - Sikkerhedskopier tegnebog + Sikkerhedskopiér tegnebog Wallet Data (*.dat) @@ -2568,19 +2576,19 @@ Adresse: %4 Backup Failed - Foretagelse af sikkerhedskopi fejlede + Sikkerhedskopiering mislykkedes There was an error trying to save the wallet data to %1. - + Der skete en fejl under gemning af tegnebogsdata til %1. The wallet data was successfully saved to %1. - + Tegnebogsdata blev gemt til %1 med succes. Backup Successful - Sikkerhedskopieret problemfri + Sikkerhedskopiering problemfri @@ -2611,7 +2619,7 @@ Adresse: %4 Specify data directory - Angiv datakatalog + Angiv datamappe Listen for connections on <port> (default: 8333 or testnet: 18333) @@ -2623,7 +2631,7 @@ Adresse: %4 Connect to a node to retrieve peer addresses, and disconnect - Forbind til en knude for at modtage adresse, og afbryd + Forbind til en knude for at modtage adresser på andre knuder, og afbryd derefter Specify your own public address @@ -2647,15 +2655,15 @@ Adresse: %4 Accept command line and JSON-RPC commands - Accepter kommandolinje- og JSON-RPC-kommandoer + Acceptér kommandolinje- og JSON-RPC-kommandoer Bitcoin Core RPC client version - + Bitcoin Core RPC-klient-version Run in the background as a daemon and accept commands - Kør i baggrunden som en service, og accepter kommandoer + Kør i baggrunden som en service, og acceptér kommandoer Use the test network @@ -2663,7 +2671,7 @@ Adresse: %4 Accept connections from outside (default: 1 if no -proxy or -connect) - Accepter forbindelser udefra (standard: 1 hvis hverken -proxy eller -connect) + Acceptér forbindelser udefra (standard: 1 hvis hverken -proxy eller -connect) %s, you must set a rpcpassword in the configuration file: @@ -2675,7 +2683,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, du skal angive en RPC-adgangskode i konfigurationsfilen: %s @@ -2686,12 +2694,12 @@ rpcpassword=%s Brugernavnet og adgangskode MÅ IKKE være det samme. Hvis filen ikke eksisterer, opret den og giv ingen andre end ejeren læserettighed. Det anbefales også at angive alertnotify, så du påmindes om problemer; -f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +fx: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Accepterede krypteringer (standard: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -2703,19 +2711,19 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Rate-begræns kontinuerligt frie transaktioner til <n>*1000 byte i minuttet (standard:15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Start regressionstesttilstand, som bruger en speciel kæde, hvor blokke kan løses med det samme. Dette er tiltænkt til testværktøjer for regression of programudvikling. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Start regressionstesttilstand, som bruger en speciel kæde, hvor blokke kan løses med det samme. Error: Listening for incoming connections failed (listen returned error %d) - + Fejl: Lytning efter indkommende forbindelser mislykkedes (lytning returnerede fejl %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2723,7 +2731,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Fejl: Denne transaktion kræver et transaktionsgebyr på minimum %s pga. dens størrelse, kompleksitet eller anvendelse af nyligt modtagne bitcoins! + Fejl: Denne transaktion kræver et transaktionsgebyr på minimum %s pga. dens beløb, kompleksitet eller anvendelse af nyligt modtagne bitcoins! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) @@ -2731,27 +2739,27 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Fees smaller than this are considered zero fee (for transaction creation) (default: - + Gebyrer mindre end dette opfattes som nul-gebyr (for oprettelse af transaktioner) (standard: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Flyt databaseaktivitet fra hukommelsespulje til disklog hver <n> megabytes (standard: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Hvor gennemarbejdet blokverificeringen for -checkblocks er (0-4; standard: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + I denne tilstand styrer -genproclimit hvor mange blokke, der genereres med det samme. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Sæt antallet af scriptverificeringstråde (%u til %d, 0 = auto, <0 = efterlad det antal kernet fri, standard: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Sæt processorbegrænsning for når generering er slået til (-1 = ubegrænset, standard: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2759,27 +2767,27 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + Ikke i stand til at tildele til %s på denne computer. Bitcoin Core kører sansynligvis allerede. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Brug separat SOCS5-proxy for at nå andre knuder via Tor skjulte tjenester (standard: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Advarsel: -paytxfee er sat meget højt! Dette er det gebyr du vil betale, hvis du sender en transaktion. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Advarsel: Undersøg venligst, at din computers dato og klokkeslæt er korrekt indstillet! Hvis der er fejl i disse, vil Bitcoin ikke fungere korrekt. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Advarsel: Netværket ser ikke ud til at være fuldt ud enige! Enkelte minere ser ud til at opleve problemer. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Advarsel: Vi ser ikke ud til at være fuldt ud enige med andre noder! Du kan være nødt til at opgradere, eller andre noder kan være nødt til at opgradere. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. @@ -2787,19 +2795,19 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Advarsel: wallet.dat ødelagt, data reddet! Oprindelig wallet.net gemt som wallet.{timestamp}.bak i %s; hvis din saldo eller dine transaktioner er forkert, bør du genskabe fra en sikkerhedskopi. + Advarsel: wallet.dat ødelagt, data reddet! Oprindelig wallet.dat gemt som wallet.{timestamp}.bak i %s; hvis din saldo eller dine transaktioner er forkert, bør du genskabe fra en sikkerhedskopi. (default: 1) - + (standard: 1) (default: wallet.dat) - + (standard: wallet.dat) <category> can be: - + <kategori> kan være: Attempt to recover private keys from a corrupt wallet.dat @@ -2807,7 +2815,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Bitcoin Core Daemon - + Bitcoin Core-tjeneste Block creation options: @@ -2815,7 +2823,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Ryd liste over transaktioner i tegnebog (diagnoseværktøj; medfører -rescan) Connect only to the specified node(s) @@ -2823,15 +2831,15 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Connect through SOCKS proxy - + Forbind gennem SOCKS-proxy Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Forbind til JSON-RPC på <port> (standard: 8332 eller testnetværk: 18332) Connection options: - + Tilvalg for forbindelser: Corrupted block database detected @@ -2839,11 +2847,11 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Debugging/Testing options: - + Tilvalg for fejlfinding/test: Disable safemode, override a real safe mode event (default: 0) - + Slå sikker tilstand fra, tilsidesæt hændelser fra sikker tilstand (standard: 0) Discover own IP address (default: 1 when listening and no -externalip) @@ -2851,7 +2859,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Do not load the wallet and disable wallet RPC calls - + Indlæs ikke tegnebogen og slå tegnebogs-RPC-kald fra Do you want to rebuild the block database now? @@ -2931,43 +2939,43 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Fee per kB to add to transactions you send - + Føj gebyr pr. kB til transaktioner, du sender Fees smaller than this are considered zero fee (for relaying) (default: - + Gebyrer mindre end dette opfattes som nul-gebyr (for videreførsler) (standard: Find peers using DNS lookup (default: 1 unless -connect) - Find ligeværdige ved DNS-opslag (standard: 1 hvis ikke -connect) + Find andre knuder ved DNS-opslag (standard: 1 hvis ikke -connect) Force safe mode (default: 0) - + Gennemtving sikker tilstand (standard: 0) Generate coins (default: 0) - Generer bitcoins (standard: 0) + Generér bitcoins (standard: 0) How many blocks to check at startup (default: 288, 0 = all) - Antal blokke som tjekkes ved opstart (0=alle, standard: 288) + Antal blokke som tjekkes ved opstart (standard: 288, 0=alle) If <category> is not supplied, output all debugging information. - + Hvis <kategori> ikke angives, udskriv al fejlsøgningsinformation. Importing... - + Importerer … Incorrect or no genesis block found. Wrong datadir for network? - + Ukorrekt eller ingen tilblivelsesblok fundet. Forkert datamappe for netværk? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Ugyldig -onion adresse: "%s" Not enough file descriptors available. @@ -2975,11 +2983,11 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Prepend debug output with timestamp (default: 1) - + Føj tidsstempel foran fejlsøgningsoutput (standard: 1) RPC client options: - + Tilvalg for RPC-klient: Rebuild block chain index from current blk000??.dat files @@ -2987,15 +2995,15 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Select SOCKS version for -proxy (4 or 5, default: 5) - + Vælg SOCKS-version for -proxy (4 eller 5, standard: 5) Set database cache size in megabytes (%d to %d, default: %d) - + Sæt cache-størrelse for database i megabytes (%d til %d; standard: %d) Set maximum block size in bytes (default: %d) - + Sæt maksimum blokstørrelse i byte (standard: %d) Set the number of threads to service RPC calls (default: 4) @@ -3003,47 +3011,47 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Specify wallet file (within data directory) - + Angiv tegnebogsfil (inden for datamappe) Spend unconfirmed change when sending transactions (default: 1) - + Brug ubekræftede byttepenge under afsendelse af transaktioner (standard: 1) This is intended for regression testing tools and app development. - + This is intended for regression testing tools and app development. Usage (deprecated, use bitcoin-cli): - + Brug (forældet, brug bitcoin-cli): Verifying blocks... - Verificerer blokke... + Verificerer blokke … Verifying wallet... - Verificerer tegnebog... + Verificerer tegnebog … Wait for RPC server to start - + Vent på opstart af RPC-server Wallet %s resides outside data directory %s - + Tegnebog %s findes uden for datamappe %s Wallet options: - + Tilvalg for tegnebog: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Advarsel: Forældet argument -debugnet ignoreret; brug -debug=net You need to rebuild the database using -reindex to change -txindex - + Du er nødt til at genopbygge databasen ved hjælp af -reindex for at ændre -txindex Imports blocks from external blk000??.dat file @@ -3051,39 +3059,39 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Kan ikke opnå en lås på datamappe %s. Bitcoin Core kører sansynligvis allerede. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Udfør kommando, når en relevant alarm modtages eller vi ser en virkelig lang udsplitning (%s i cmd erstattes af besked) Output debugging information (default: 0, supplying <category> is optional) - + Udskriv fejlsøgningsinformation (standard: 0, angivelse af <kategori> er valgfri) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Sæt maksimumstørrelse for højprioritet/lavgebyr-transaktioner i byte (standard: %d) Information Information - Invalid amount for -minrelaytxfee=<amount>: '%s' - Ugyldigt beløb til -minrelaytxfee=<beløb>:'%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Ugyldigt beløb til -minrelaytxfee=<beløb>: "%s" - Invalid amount for -mintxfee=<amount>: '%s' - Ugyldigt beløb til -mintxfee=<beløb>:'%s' + Invalid amount for -mintxfee=<amount>: '%s' + Ugyldigt beløb til -mintxfee=<beløb>: "%s" Limit size of signature cache to <n> entries (default: 50000) - + Begræns størrelsen på signaturcache til <n> indgange (standard: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Prioritet for transaktionslog og gebyr pr. kB under udvinding af blokke (standard: 0) Maintain a full transaction index (default: 0) @@ -3091,15 +3099,15 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Maksimum for modtagelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 5000) + Maksimum for modtagelsesbuffer pr. forbindelse, <n>*1000 byte (standard: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Maksimum for afsendelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 1000) + Maksimum for afsendelsesbuffer pr. forbindelse, <n>*1000 byte (standard: 1000) Only accept block chain matching built-in checkpoints (default: 1) - Accepter kun blokkæde, som matcher indbyggede kontrolposter (standard: 1) + Acceptér kun blokkæde, som matcher indbyggede kontrolposter (standard: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) @@ -3107,31 +3115,31 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Print block on startup, if found in block index - + Udskriv blok under opstart, hvis den findes i blokindeks Print block tree on startup (default: 0) - + Udskriv bloktræ under startop (standard: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Tilvalg for RPC SSL: (se Bitcoin Wiki for instruktioner i SSL-opstart) RPC server options: - + Tilvalg for RPC-server: Randomly drop 1 of every <n> network messages - + Drop tilfældigt 1 ud af hver <n> netværksbeskeder Randomly fuzz 1 of every <n> network messages - + Slør tilfældigt 1 ud af hver <n> netværksbeskeder Run a thread to flush wallet periodically (default: 1) - + Kør en tråd for at rydde tegnebog periodisk (standard: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3139,7 +3147,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Send command to Bitcoin Core - + Send kommando til Bitcoin Core Send trace/debug info to console instead of debug.log file @@ -3147,19 +3155,19 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Set minimum block size in bytes (default: 0) - Angiv minimumsblokstørrelse i bytes (standard: 0) + Angiv minimumsblokstørrelse i byte (standard: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Sætter DB_PRIVATE-flaget i tegnebogens db-miljø (standard: 1) Show all debugging options (usage: --help -help-debug) - + Vis alle tilvalg for fejlsøgning (brug: --help -help-debug) Show benchmark information (default: 0) - + Vis information om ydelsesmåling (standard: 0) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3175,7 +3183,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Start Bitcoin Core Daemon - + Start Bitcoin Core-tjeneste System error: @@ -3195,11 +3203,11 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Use UPnP to map the listening port (default: 0) - Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 0) + Brug UPnP til at konfigurere den lyttende port (standard: 0) Use UPnP to map the listening port (default: 1 when listening) - Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 1 når lytter) + Brug UPnP til at konfigurere den lyttende port (standard: 1 under lytning) Username for JSON-RPC connections @@ -3215,11 +3223,11 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Zapping all transactions from wallet... - + Zapper alle transaktioner fra tegnebog … on startup - + under opstart version @@ -3283,7 +3291,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Loading addresses... - Indlæser adresser... + Indlæser adresser … Error loading wallet.dat: Wallet corrupted @@ -3302,28 +3310,28 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Fejl ved indlæsning af wallet.dat - Invalid -proxy address: '%s' - Ugyldig -proxy adresse: '%s' + Invalid -proxy address: '%s' + Ugyldig -proxy adresse: "%s" - Unknown network specified in -onlynet: '%s' - Ukendt netværk anført i -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Ukendt netværk anført i -onlynet: "%s" Unknown -socks proxy version requested: %i Ukendt -socks proxy-version: %i - Cannot resolve -bind address: '%s' - Kan ikke finde -bind adressen: '%s' + Cannot resolve -bind address: '%s' + Kan ikke finde -bind adressen: "%s" - Cannot resolve -externalip address: '%s' - Kan ikke finde -externalip adressen: '%s' + Cannot resolve -externalip address: '%s' + Kan ikke finde -externalip adressen: "%s" - Invalid amount for -paytxfee=<amount>: '%s' - Ugyldigt beløb for -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Ugyldigt beløb for -paytxfee=<beløb>: "%s" Invalid amount @@ -3335,7 +3343,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Loading block index... - Indlæser blokindeks... + Indlæser blokindeks … Add a node to connect to and attempt to keep the connection open @@ -3343,7 +3351,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Loading wallet... - Indlæser tegnebog... + Indlæser tegnebog … Cannot downgrade wallet @@ -3355,7 +3363,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Rescanning... - Genindlæser... + Genindlæser … Done loading @@ -3373,7 +3381,7 @@ f.eks.: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - Du skal angive rpcpassword=<password> i konfigurationsfilen: + Du skal angive rpcpassword=<adgangskode> i konfigurationsfilen: %s Hvis filen ikke eksisterer, opret den og giv ingen andre end ejeren læserettighed. diff --git a/src/qt/locale/bitcoin_de.ts b/src/qt/locale/bitcoin_de.ts index 7f7e505e1de..ebded2e65aa 100644 --- a/src/qt/locale/bitcoin_de.ts +++ b/src/qt/locale/bitcoin_de.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -7,7 +7,7 @@ <b>Bitcoin Core</b> version - <b>"Bitcoin Core"</b>-Version + <b>"Bitcoin Core"</b>-Version @@ -29,7 +29,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open The Bitcoin Core developers - Die "Bitcoin Core"-Entwickler + Die "Bitcoin Core"-Entwickler (%1-bit) @@ -433,7 +433,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open Request payments (generates QR codes and bitcoin: URIs) - Zahlungen anfordern (erzeugt QR-Codes und "bitcoin:"-URIs) + Zahlungen anfordern (erzeugt QR-Codes und "bitcoin:"-URIs) &About Bitcoin Core @@ -449,7 +449,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open Open a bitcoin: URI or payment request - Eine "bitcoin:"-URI oder Zahlungsanforderung öffnen + Eine "bitcoin:"-URI oder Zahlungsanforderung öffnen &Command-line options @@ -457,7 +457,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - Zeige den "Bitcoin Core"-Hilfetext, um eine Liste mit möglichen Kommandozeilenoptionen zu erhalten + Zeige den "Bitcoin Core"-Hilfetext, um eine Liste mit möglichen Kommandozeilenoptionen zu erhalten Bitcoin client @@ -574,7 +574,7 @@ Adresse: %4 CoinControlDialog Coin Control Address Selection - "Coin Control"-Adressauswahl + "Coin Control"-Adressauswahl Quantity: @@ -742,7 +742,7 @@ Adresse: %4 Dust - "Dust" + "Dust" yes @@ -769,8 +769,8 @@ Adresse: %4 Transaktionen mit höherer Priorität haben eine größere Chance in einen Block aufgenommen zu werden. - This label turns red, if the priority is smaller than "medium". - Diese Bezeichnung wird rot, wenn die Priorität niedriger als "mittel" ist. + This label turns red, if the priority is smaller than "medium". + Diese Bezeichnung wird rot, wenn die Priorität niedriger als "mittel" ist. This label turns red, if any recipient receives an amount smaller than %1. @@ -782,7 +782,7 @@ Adresse: %4 Amounts below 0.546 times the minimum relay fee are shown as dust. - Beträge kleiner als das 0,546-fache der niedrigsten Vermittlungsgebühr werden als "Dust" angezeigt. + Beträge kleiner als das 0,546-fache der niedrigsten Vermittlungsgebühr werden als "Dust" angezeigt. This label turns red, if the change is smaller than %1. @@ -840,12 +840,12 @@ Adresse: %4 Zahlungsadresse bearbeiten - The entered address "%1" is already in the address book. - Die eingegebene Adresse "%1" befindet sich bereits im Adressbuch. + The entered address "%1" is already in the address book. + Die eingegebene Adresse "%1" befindet sich bereits im Adressbuch. - The entered address "%1" is not a valid Bitcoin address. - Die eingegebene Adresse "%1" ist keine gültige Bitcoin-Adresse. + The entered address "%1" is not a valid Bitcoin address. + Die eingegebene Adresse "%1" ist keine gültige Bitcoin-Adresse. Could not unlock wallet. @@ -906,8 +906,8 @@ Adresse: %4 UI-Optionen - Set language, for example "de_DE" (default: system locale) - Sprache festlegen, z.B. "de_DE" (Standard: Systemstandard) + Set language, for example "de_DE" (default: system locale) + Sprache festlegen, z.B. "de_DE" (Standard: Systemstandard) Start minimized @@ -957,8 +957,8 @@ Adresse: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Fehler: Angegebenes Datenverzeichnis "%1" kann nicht angelegt werden. + Error: Specified data directory "%1" can not be created. + Fehler: Angegebenes Datenverzeichnis "%1" kann nicht angelegt werden. Error @@ -1047,6 +1047,14 @@ Adresse: %4 IP-Adresse des Proxies (z.B. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Externe URLs (z.B. ein Block-Explorer), die im Kontextmenü des Transaktionsverlaufs eingefügt werden. In der URL wird %s durch den Transaktionshash ersetzt. Bei Angabe mehrerer URLs müssen diese durch "|" voneinander getrennt werden. + + + Third party transaction URLs + Externe Transaktions-URLs + + Active command-line options that override above options: Aktive Kommandozeilenoptionen, die obige Konfiguration überschreiben: @@ -1076,7 +1084,7 @@ Adresse: %4 Enable coin &control features - "&Coin Control"-Funktionen aktivieren + "&Coin Control"-Funktionen aktivieren If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. @@ -1128,7 +1136,7 @@ Adresse: %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Minimiert die Anwendung anstatt sie zu beenden wenn das Fenster geschlossen wird. Wenn dies aktiviert ist, müssen Sie das Programm über "Beenden" im Menü schließen. + Minimiert die Anwendung anstatt sie zu beenden wenn das Fenster geschlossen wird. Wenn dies aktiviert ist, müssen Sie das Programm über "Beenden" im Menü schließen. M&inimize on close @@ -1164,7 +1172,7 @@ Adresse: %4 Whether to show coin control features or not. - Legt fest, ob die "Coin Control"-Funktionen angezeigt werden. + Legt fest, ob die "Coin Control"-Funktionen angezeigt werden. &OK @@ -1270,7 +1278,7 @@ Adresse: %4 Requested payment amount of %1 is too small (considered dust). - Angeforderter Zahlungsbetrag in Höhe von %1 ist zu niedrig und wurde als "Dust" eingestuft. + Angeforderter Zahlungsbetrag in Höhe von %1 ist zu niedrig und wurde als "Dust" eingestuft. Payment request error @@ -1278,14 +1286,14 @@ Adresse: %4 Cannot start bitcoin: click-to-pay handler - "bitcoin: Klicken-zum-Bezahlen"-Handler konnte nicht gestartet werden + "bitcoin: Klicken-zum-Bezahlen"-Handler konnte nicht gestartet werden Net manager warning Netzwerkmanager-Warnung - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Ihr aktiver Proxy unterstützt kein SOCKS5, dies wird jedoch für Zahlungsanforderungen über einen Proxy benötigt. @@ -1336,19 +1344,19 @@ Adresse: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Fehler: Angegebenes Datenverzeichnis "%1" existiert nicht. + Error: Specified data directory "%1" does not exist. + Fehler: Angegebenes Datenverzeichnis "%1" existiert nicht. Error: Cannot parse configuration file: %1. Only use key=value syntax. - Fehler: Konfigurationsdatei kann nicht analysiert werden: %1. Bitte nur "Schlüssel=Wert"-Syntax verwenden. + Fehler: Konfigurationsdatei kann nicht analysiert werden: %1. Bitte nur "Schlüssel=Wert"-Syntax verwenden. Error: Invalid combination of -regtest and -testnet. Fehler: Ungültige Kombination von -regtest und -testnet. - Bitcoin Core did't yet exit safely... + Bitcoin Core didn't yet exit safely... Bitcoin Core wurde noch nicht sicher beendet... @@ -1699,7 +1707,7 @@ Adresse: %4 Coin Control Features - "Coin Control"-Funktionen + "Coin Control"-Funktionen Inputs... @@ -1946,7 +1954,7 @@ Adresse: %4 A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - Eine an die "bitcoin:"-URI angefügte Nachricht, die zusammen mit der Transaktion gespeichert wird. Hinweis: Diese Nachricht wird nicht über das Bitcoin-Netzwerk gesendet. + Eine an die "bitcoin:"-URI angefügte Nachricht, die zusammen mit der Transaktion gespeichert wird. Hinweis: Diese Nachricht wird nicht über das Bitcoin-Netzwerk gesendet. This is an unverified payment request. @@ -2028,7 +2036,7 @@ Adresse: %4 Reset all sign message fields - Alle "Nachricht signieren"-Felder zurücksetzen + Alle "Nachricht signieren"-Felder zurücksetzen Clear &All @@ -2056,15 +2064,15 @@ Adresse: %4 Reset all verify message fields - Alle "Nachricht verifizieren"-Felder zurücksetzen + Alle "Nachricht verifizieren"-Felder zurücksetzen Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Bitcoin-Adresse eingeben (z.B. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Auf "Nachricht signieren" klicken, um die Signatur zu erzeugen + Click "Sign Message" to generate signature + Auf "Nachricht signieren" klicken, um die Signatur zu erzeugen The entered address is invalid. @@ -2104,7 +2112,7 @@ Adresse: %4 The signature did not match the message digest. - Die Signatur entspricht nicht dem "Message Digest". + Die Signatur entspricht nicht dem "Message Digest". Message verification failed. @@ -2123,7 +2131,7 @@ Adresse: %4 The Bitcoin Core developers - Die "Bitcoin Core"-Entwickler + Die "Bitcoin Core"-Entwickler [testnet] @@ -2236,8 +2244,8 @@ Adresse: %4 Händler - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Erzeugte Bitcoins müssen %1 Blöcke lang reifen, bevor sie ausgegeben werden können. Als Sie diesen Block erzeugten, wurde er an das Netzwerk übertragen, um ihn der Blockkette hinzuzufügen. Falls dies fehlschlägt wird der Status in "nicht angenommen" geändert und Sie werden keine Bitcoins gutgeschrieben bekommen. Das kann gelegentlich passieren, wenn ein anderer Knoten einen Block fast zeitgleich erzeugt. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Erzeugte Bitcoins müssen %1 Blöcke lang reifen, bevor sie ausgegeben werden können. Als Sie diesen Block erzeugten, wurde er an das Netzwerk übertragen, um ihn der Blockkette hinzuzufügen. Falls dies fehlschlägt wird der Status in "nicht angenommen" geändert und Sie werden keine Bitcoins gutgeschrieben bekommen. Das kann gelegentlich passieren, wenn ein anderer Knoten einen Block fast zeitgleich erzeugt. Debug information @@ -2650,7 +2658,7 @@ Adresse: %4 Bitcoin Core RPC client version - "Bitcoin Core"-RPC-Client-Version + "Bitcoin Core"-RPC-Client-Version Run in the background as a daemon and accept commands @@ -2674,7 +2682,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, Sie müssen den Wert rpcpasswort in dieser Konfigurationsdatei angeben: %s @@ -2685,7 +2693,7 @@ rpcpassword=%s Der Benutzername und das Passwort dürfen NICHT identisch sein. Falls die Konfigurationsdatei nicht existiert, erzeugen Sie diese bitte mit Leserechten nur für den Dateibesitzer. Es wird ebenfalls empfohlen alertnotify anzugeben, um im Problemfall benachrichtig zu werden; -zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@foo.com +zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@foo.com @@ -2698,7 +2706,7 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Bind to given address and always listen on it. Use [host]:port notation for IPv6 - An die angegebene Adresse binden und immer abhören. Für IPv6 "[Host]:Port"-Schreibweise verwenden + An die angegebene Adresse binden und immer abhören. Für IPv6 "[Host]:Port"-Schreibweise verwenden Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) @@ -2769,7 +2777,7 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Warnung: -paytxfee ist auf einen sehr hohen Wert festgelegt! Dies ist die Gebühr die beim Senden einer Transaktion fällig wird. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Warnung: Bitte korrigieren Sie die Datums- und Uhrzeiteinstellungen ihres Computers, da Bitcoin ansonsten nicht ordnungsgemäß funktionieren wird! @@ -2806,7 +2814,7 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Bitcoin Core Daemon - "Bitcoin Core"-Hintergrunddienst + "Bitcoin Core"-Hintergrunddienst Block creation options: @@ -2965,8 +2973,8 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Fehlerhafter oder kein Genesis-Block gefunden. Falsches Datenverzeichnis für das Netzwerk? - Invalid -onion address: '%s' - Ungültige "-onion"-Adresse: '%s' + Invalid -onion address: '%s' + Ungültige "-onion"-Adresse: '%s' Not enough file descriptors available. @@ -3069,12 +3077,12 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Hinweis - Invalid amount for -minrelaytxfee=<amount>: '%s' - Ungültiger Betrag für -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Ungültiger Betrag für -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Ungültiger Betrag für -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Ungültiger Betrag für -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3174,7 +3182,7 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Start Bitcoin Core Daemon - "Bitcoin Core"-Hintergrunddienst starten + "Bitcoin Core"-Hintergrunddienst starten System error: @@ -3301,28 +3309,28 @@ zum Beispiel: alertnotify=echo %%s | mail -s \"Bitcoin Alert\" admin@f Fehler beim Laden von wallet.dat - Invalid -proxy address: '%s' - Ungültige Adresse in -proxy: '%s' + Invalid -proxy address: '%s' + Ungültige Adresse in -proxy: '%s' - Unknown network specified in -onlynet: '%s' - Unbekannter Netztyp in -onlynet angegeben: '%s' + Unknown network specified in -onlynet: '%s' + Unbekannter Netztyp in -onlynet angegeben: '%s' Unknown -socks proxy version requested: %i Unbekannte Proxyversion in -socks angefordert: %i - Cannot resolve -bind address: '%s' - Kann Adresse in -bind nicht auflösen: '%s' + Cannot resolve -bind address: '%s' + Kann Adresse in -bind nicht auflösen: '%s' - Cannot resolve -externalip address: '%s' - Kann Adresse in -externalip nicht auflösen: '%s' + Cannot resolve -externalip address: '%s' + Kann Adresse in -externalip nicht auflösen: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Ungültiger Betrag für -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Ungültiger Betrag für -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_el_GR.ts b/src/qt/locale/bitcoin_el_GR.ts index d13b974b8ce..c19e9730d06 100644 --- a/src/qt/locale/bitcoin_el_GR.ts +++ b/src/qt/locale/bitcoin_el_GR.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Σχετικά με το Bitcoin Core <b>Bitcoin Core</b> version - + <b>Bitcoin Core</b> έκδοση @@ -29,11 +29,11 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers - + Οι προγραμματιστές του Bitcoin Core (%1-bit) - + (%1-bit) @@ -48,7 +48,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - &Νέα + &Νέo Copy the currently selected address to the system clipboard @@ -88,11 +88,11 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to receive coins with - Επιλογή διεύθυνσης απ' όπου θα ληφθούν νομίσματα + Επιλογή διεύθυνσης απ' όπου θα ληφθούν νομίσματα C&hoose - + Ε&πιλογή Sending addresses @@ -108,7 +108,7 @@ This product includes software developed by the OpenSSL Project for use in the O These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Αυτές είναι οι Bitcoin διευθύνσεις σας για να λαμβάνετε πληρωμές. Δίνοντας μία ξεχωριστή διεύθυνση σε κάθε αποστολέα, θα μπορείτε να ελέγχετε ποιος σας πληρώνει. Copy &Label @@ -128,11 +128,11 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - + Η εξαγωγή απέτυχε There was an error trying to save the address list to %1. - + Παρουσιάστηκε σφάλμα κατά την αποθήκευση της λίστας πορτοφολιών στο %1. @@ -274,7 +274,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Κόμβος Show general overview of wallet @@ -326,15 +326,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + Διευθύνσεις αποστολής &Receiving addresses... - + Διευθύνσεις λήψης Open &URI... - + 'Ανοιγμα &URI Importing blocks from disk... @@ -406,7 +406,7 @@ This product includes software developed by the OpenSSL Project for use in the O Verify messages to ensure they were signed with specified Bitcoin addresses - Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως ανήκει μια συγκεκριμένη διεύθυνση Bitcoin + Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως ανήκει μια συγκεκριμένη διεύθυνση Bitcoin &File @@ -438,7 +438,7 @@ This product includes software developed by the OpenSSL Project for use in the O &About Bitcoin Core - + &Σχετικά με το Bitcoin Core Show the list of used sending addresses and labels @@ -450,15 +450,15 @@ This product includes software developed by the OpenSSL Project for use in the O Open a bitcoin: URI or payment request - + Άνοιγμα bitcoin: URI αίτησης πληρωμής &Command-line options - + &Επιλογές γραμμής εντολών Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Εμφανιση του Bitcoin-Qt μήνυματος βοήθειας για να πάρετε μια λίστα με τις πιθανές επιλογές Bitcoin γραμμής εντολών. Bitcoin client @@ -474,7 +474,7 @@ This product includes software developed by the OpenSSL Project for use in the O Processed %1 of %2 (estimated) blocks of transaction history. - Μεταποιημένα %1 απο %2 (κατ 'εκτίμηση) μπλοκ της ιστορίας της συναλλαγής. + Μεταποιημένα %1 απο %2 (κατ 'εκτίμηση) μπλοκ της ιστορίας της συναλλαγής. Processed %1 blocks of transaction history. @@ -494,11 +494,11 @@ This product includes software developed by the OpenSSL Project for use in the O %1 and %2 - + %1 και %2 %n year(s) - + %n έτος%n έτη %1 behind @@ -576,7 +576,7 @@ Address: %4 CoinControlDialog Coin Control Address Selection - + Επιλογή Διεύθυνσης Κέρματων Ελέγχου Quantity: @@ -596,31 +596,31 @@ Address: %4 Fee: - + Ταρίφα Low Output: - + Χαμηλή εξαγωγή After Fee: - + Ταρίφα αλλαγής Change: - + Ρέστα: (un)select all - + (από)επιλογή όλων Tree mode - + Εμφάνιση τύπου δέντρο List mode - + Λίστα εντολών Amount @@ -664,87 +664,87 @@ Address: %4 Lock unspent - + Κλείδωμα αξόδευτων Unlock unspent - + Ξεκλείδωμα αξόδευτων Copy quantity - + Αντιγραφή ποσότητας Copy fee - + Αντιγραφή ταρίφας Copy after fee - + Αντιγραφή μετα-ταρίφας Copy bytes - + Αντιγραφή των byte Copy priority - + Αντιγραφή προτεραιότητας Copy low output - + Χαμηλή εξαγωγή Copy change - + Αντιγραφή των ρέστων highest - + ύψιστη higher - + υψηλότερη high - + ψηλή medium-high - + μεσαία-ψηλή medium - + μεσαία low-medium - + μεσαία-χαμηλή low - + χαμηλή lower - + χαμηλότερη lowest - + χαμηλότατη (%1 locked) - + (%1 κλειδωμένο) none - + κανένα Dust - + Σκόνη yes @@ -756,39 +756,39 @@ Address: %4 This label turns red, if the transaction size is greater than 1000 bytes. - + Η ετικετα γινετε κοκκινη , αν το μεγεθος της συναλαγης ειναι μεγαλητερο απο 1000 bytes. This means a fee of at least %1 per kB is required. - + Ελάχιστο χρεώσιμο ποσό τουλάχιστο %1 ανα kB Can vary +/- 1 byte per input. - + Περίπτωση διαφοράς +/- 1 byte ανα εισαγωγή Transactions with higher priority are more likely to get included into a block. - + Συναλλαγές με υψηλότερη προτεραιότητα είναι πιο πιθανό να περιλαμβάνονται σε ένα μπλοκ. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Αυτή η ετικέτα γίνεται κόκκινο, αν η προτεραιότητα είναι μικρότερο από το «μέσο». This label turns red, if any recipient receives an amount smaller than %1. - + Αυτή η ετικέτα γίνεται κόκκινο, αν υπάρχει παραλήπτης λαμβάνει ένα ποσό μικρότερο από %1. This means a fee of at least %1 is required. - + Αυτό σημαίνει απαιτείται ένα τέλος τουλάχιστον %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Τα ποσά κάτω των 0.546 φορές της ελάχιστης αμοιβής ρελέ παρουσιάζεται ως "σκόνη". This label turns red, if the change is smaller than %1. - + Αυτή η ετικέτα γίνεται κόκκινο, αν η μεταβολή είναι μικρότερη από %1. (no label) @@ -796,11 +796,12 @@ Address: %4 change from %1 (%2) - + ρέστα από %1 (%2) (change) - + (ρέστα) + @@ -815,11 +816,11 @@ Address: %4 The label associated with this address list entry - + Η ετικέτα που συνδέεται με αυτήν την καταχώρηση στο βιβλίο διευθύνσεων The address associated with this address list entry. This can only be modified for sending addresses. - + Η διεύθυνση σχετίζεται με αυτή την καταχώρηση του βιβλίου διευθύνσεων. Μπορεί να τροποποιηθεί μόνο για τις διευθύνσεις αποστολής. &Address @@ -842,12 +843,12 @@ Address: %4 Επεξεργασία διεύθυνσης αποστολής - The entered address "%1" is already in the address book. - Η διεύθυνση "%1" βρίσκεται ήδη στο βιβλίο διευθύνσεων. + The entered address "%1" is already in the address book. + Η διεύθυνση "%1" βρίσκεται ήδη στο βιβλίο διευθύνσεων. - The entered address "%1" is not a valid Bitcoin address. - Η διεύθυνση "%1" δεν είναι έγκυρη Bitcoin διεύθυνση. + The entered address "%1" is not a valid Bitcoin address. + Η διεύθυνση "%1" δεν είναι έγκυρη Bitcoin διεύθυνση. Could not unlock wallet. @@ -870,11 +871,11 @@ Address: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Κατάλογος ήδη υπάρχει. Προσθήκη %1, αν σκοπεύετε να δημιουργήσετε έναν νέο κατάλογο εδώ. Path already exists, and is not a directory. - + Η διαδρομή υπάρχει ήδη αλλά δεν είναι φάκελος Cannot create data directory here. @@ -885,7 +886,7 @@ Address: %4 HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - Επιλογές γραμμής εντολών Bitcoin Core @@ -908,8 +909,8 @@ Address: %4 επιλογές UI - Set language, for example "de_DE" (default: system locale) - Όρισε γλώσσα, για παράδειγμα "de_DE"(προεπιλογή:τοπικές ρυθμίσεις) + Set language, for example "de_DE" (default: system locale) + Όρισε γλώσσα, για παράδειγμα "de_DE"(προεπιλογή:τοπικές ρυθμίσεις) Start minimized @@ -917,7 +918,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + Ορίστε SSL root certificates για αίτηση πληρωμής (default: -system-) Show splash screen on startup (default: 1) @@ -925,7 +926,7 @@ Address: %4 Choose data directory on startup (default: 0) - + Επιλογή φακέλου δεδομένων στην εκκίνηση (προεπιλεγμένο: 0) @@ -936,15 +937,15 @@ Address: %4 Welcome to Bitcoin Core. - + Καλώς ήρθατε στο Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Καθώς αυτή είναι η πρώτη φορά που εκκινείται το πρόγραμμα, μπορείτε να διαλέξετε πού θα αποθηκεύει το Bitcoin Core τα δεδομένα του. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + O πυρήνας Bitcoin θα κατεβάσει και να αποθηκεύσει ένα αντίγραφο της αλυσίδας μπλοκ Bitcoin. Τουλάχιστον %1GB δεδομένων θα αποθηκευτούν σε αυτόν τον κατάλογο, και θα αυξηθεί με την πάροδο του χρόνου. Το πορτοφόλι θα αποθηκευτεί σε αυτόν τον κατάλογο. Use the default data directory @@ -959,8 +960,8 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Σφάλμα: Ο καθορισμένος φάκελος δεδομένων "%1" δεν μπορεί να δημιουργηθεί. + Error: Specified data directory "%1" can not be created. + Σφάλμα: Ο καθορισμένος φάκελος δεδομένων "%1" δεν μπορεί να δημιουργηθεί. Error @@ -979,23 +980,23 @@ Address: %4 OpenURIDialog Open URI - + 'Ανοιγμα &URI Open payment request from URI or file - + Ανοιχτό αίτημα πληρωμής από URI ή απο αρχείο URI: - + URI: Select payment request file - + Επιλέξτε πληρωμή αρχείου αίτησης Select payment request file to open - + Επιλέξτε αρχείο πληρωμής για άνοιγμα. @@ -1026,31 +1027,31 @@ Address: %4 Size of &database cache - + Μέγεθος κρυφής μνήμης βάσης δεδομένων. MB - + MB Number of script &verification threads - + Αριθμός script και γραμμές επαλήθευσης Connect to the Bitcoin network through a SOCKS proxy. - + Σύνδεση στο Bitcoin δίκτυο μέσω διαμεσολαβητή SOCKS4 (π.χ. για σύνδεση μέσω Tor) &Connect through SOCKS proxy (default proxy): - + &Σύνδεση μέσω διαμεσολαβητή SOCKS IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Διεύθυνση IP του διαμεσολαβητή (π.χ. 127.0.0.1 / IPv6: ::1) - Active command-line options that override above options: - + Third party transaction URLs + Διευθύνσεις τρίτων συναλλαγών. Reset all client options to default. @@ -1065,28 +1066,16 @@ Address: %4 &Δίκτυο - (0 = auto, <0 = leave that many cores free) - - - W&allet - + Π&ορτοφόλι Expert - + Έμπειρος Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - + Επιλογή κατα πόσο να αναδείχνονται οι δυνατότητες ελέγχου κερμάτων. Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1166,7 +1155,8 @@ Address: %4 Whether to show coin control features or not. - + Επιλογή κατα πόσο να αναδείχνονται οι δυνατότητες ελέγχου κερμάτων. + &OK @@ -1182,7 +1172,7 @@ Address: %4 none - + κανένα Confirm options reset @@ -1190,15 +1180,15 @@ Address: %4 Client restart required to activate changes. - + Χρειάζεται επανεκκίνηση του προγράμματος για να ενεργοποιηθούν οι αλλαγές. Client will be shutdown, do you want to proceed? - + Η εφαρμογή θα τερματιστεί. Θέλετε να προχωρήσετε; This change would require a client restart. - + Η αλλαγή αυτή θα χρειαστεί επανεκκίνηση του προγράμματος The supplied proxy address is invalid. @@ -1221,7 +1211,7 @@ Address: %4 Available: - + Διαθέσιμο: Your current spendable balance @@ -1229,7 +1219,7 @@ Address: %4 Pending: - + Εκκρεμούν: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance @@ -1271,10 +1261,6 @@ Address: %4 Το URI δεν μπορεί να αναλυθεί! Αυτό μπορεί να προκληθεί από μια μη έγκυρη διεύθυνση Bitcoin ή ακατάλληλη παραμέτρο URI. - Requested payment amount of %1 is too small (considered dust). - - - Payment request error Σφάλμα αιτήματος πληρωμής @@ -1283,44 +1269,24 @@ Address: %4 Δεν είναι δυνατή η εκκίνηση του Bitcoin: click-to-pay handler - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Ο ενεργός μεσολαβητής δεν υποστηρήζει το πρωτόκολλο SOCKS5 το οποίο χρειάζεται για τις αιτήσεις πληρωμής. Payment request fetch URL is invalid: %1 - + Η διεύθυνση πληρωμής (URL) δεν είναι έγκυρη: %1 Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - + Επιλέξτε αρχείο πληρωμής για άνοιγμα. Refund from %1 - - - - Error communicating with %1: %2 - + Επιστροφή ποσού από %1 Payment request can not be parsed or processed! - - - - Bad response from server %1 - + Η αίτηση πληρωμής δεν μπορεί να αναλυθεί ή να επεξεργαστεί! Payment acknowledged @@ -1338,20 +1304,16 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Σφάλμα: Ο καθορισμένος φάκελος δεδομένων "%1" δεν υπάρχει. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Σφάλμα: Ο καθορισμένος φάκελος δεδομένων "%1" δεν υπάρχει. Error: Invalid combination of -regtest and -testnet. Σφάλμα: Άκυρος συνδυασμός των -regtest και -testnet - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Η εφαρμογή Bitcoin Core δεν έχει ακόμα τερματιστεί με ασφάλεια. Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1362,11 +1324,11 @@ Address: %4 QRImageWidget &Save Image... - + &Αποθήκευση εικόνας... &Copy Image - + &Αντιγραφή εικόνας Save QR Code @@ -1401,7 +1363,7 @@ Address: %4 General - + Γενικά Using OpenSSL version @@ -1417,7 +1379,7 @@ Address: %4 Name - + Όνομα Number of connections @@ -1433,7 +1395,7 @@ Address: %4 Estimated total blocks - Κατ' εκτίμηση συνολικά μπλοκς + Κατ' εκτίμηση συνολικά μπλοκς Last block time @@ -1449,11 +1411,11 @@ Address: %4 &Network Traffic - + &Κίνηση δικτύου &Clear - + &Εκκαθάριση Totals @@ -1528,7 +1490,7 @@ Address: %4 ReceiveCoinsDialog &Amount: - + &Ποσό: &Label: @@ -1536,31 +1498,7 @@ Address: %4 &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - + &Μήνυμα: Clear all fields of the form. @@ -1571,26 +1509,14 @@ Address: %4 Καθαρισμός - Requested payments history - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - + &Αίτηση πληρωμής Show Εμφάνιση - Remove the selected entries from the list - - - Remove Αφαίρεση @@ -1600,7 +1526,7 @@ Address: %4 Copy message - + Αντιγραφή μηνύματος Copy amount @@ -1615,19 +1541,11 @@ Address: %4 Copy &URI - - - - Copy &Address - + Αντιγραφη της επιλεγμενης διεύθυνσης στο πρόχειρο του συστηματος &Save Image... - - - - Request payment to %1 - + &Αποθήκευση εικόνας... Payment information @@ -1635,7 +1553,7 @@ Address: %4 URI - + URI: Address @@ -1690,7 +1608,7 @@ Address: %4 (no amount) - + (κανένα ποσό) @@ -1701,15 +1619,11 @@ Address: %4 Coin Control Features - - - - Inputs... - + Χαρακτηρηστικά επιλογής κερμάτων automatically selected - + επιλεγμένο αυτόματα Insufficient funds! @@ -1733,27 +1647,19 @@ Address: %4 Fee: - + Ταρίφα Low Output: - + Χαμηλή εξαγωγή After Fee: - + Ταρίφα αλλαγής Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - + Ρέστα: Send to multiple recipients at once @@ -1793,7 +1699,7 @@ Address: %4 Copy quantity - + Αντιγραφή ποσότητας Copy amount @@ -1801,35 +1707,35 @@ Address: %4 Copy fee - + Αντιγραφή ταρίφας Copy after fee - + Αντιγραφή μετα-ταρίφας Copy bytes - + Αντιγραφή των byte Copy priority - + Αντιγραφή προτεραιότητας Copy low output - + Χαμηλή εξαγωγή Copy change - + Αντιγραφή των ρέστων Total Amount %1 (= %2) - + Ολικό Ποσό %1 (= %2) or - + ή The recipient address is not valid, please recheck. @@ -1856,10 +1762,6 @@ Address: %4 Η δημιουργία της συναλλαγής απέτυχε! - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - Warning: Invalid Bitcoin address Προειδοποίηση: Μη έγκυρη διεύθυνση Bitcoin @@ -1868,10 +1770,6 @@ Address: %4 (χωρίς ετικέτα) - Warning: Unknown change address - - - Are you sure you want to send? Είστε βέβαιοι για την αποστολή; @@ -1915,10 +1813,6 @@ Address: %4 Επιλογή διεύθυνσης που έχει ήδη χρησιμοποιηθεί - This is a normal payment. - - - Alt+A Alt+A @@ -1932,29 +1826,13 @@ Address: %4 Remove this entry - + Αφαίρεση αυτής της καταχώρησης Message: Μήνυμα: - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - Pay To: Πληρωμή σε: @@ -1967,11 +1845,11 @@ Address: %4 ShutdownWindow Bitcoin Core is shutting down... - + Το Bitcoin Core τερματίζεται... Do not shut down the computer until this window disappears. - + Μην απενεργοποιήσετε τον υπολογιστή μέχρι να κλείσει αυτό το παράθυρο. @@ -1986,7 +1864,7 @@ Address: %4 You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Μπορείτε να υπογράφετε μηνύματα με τις διευθύνσεις σας, ώστε ν' αποδεικνύετε πως αυτές σας ανήκουν. Αποφεύγετε να υπογράφετε κάτι αόριστο καθώς ενδέχεται να εξαπατηθείτε. Υπογράφετε μόνο πλήρης δηλώσεις με τις οποίες συμφωνείτε. + Μπορείτε να υπογράφετε μηνύματα με τις διευθύνσεις σας, ώστε ν' αποδεικνύετε πως αυτές σας ανήκουν. Αποφεύγετε να υπογράφετε κάτι αόριστο καθώς ενδέχεται να εξαπατηθείτε. Υπογράφετε μόνο πλήρης δηλώσεις με τις οποίες συμφωνείτε. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2022,7 +1900,7 @@ Address: %4 Sign the message to prove you own this Bitcoin address - Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως σας ανήκει μια συγκεκριμένη διεύθυνση Bitcoin + Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως σας ανήκει μια συγκεκριμένη διεύθυνση Bitcoin Sign &Message @@ -2050,7 +1928,7 @@ Address: %4 Verify the message to ensure it was signed with the specified Bitcoin address - Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως υπογραφθηκε απο μια συγκεκριμένη διεύθυνση Bitcoin + Υπογράψτε ένα μήνυμα για ν' αποδείξετε πως υπογραφθηκε απο μια συγκεκριμένη διεύθυνση Bitcoin Verify &Message @@ -2065,8 +1943,8 @@ Address: %4 Εισάγετε μια διεύθυνση Bitcoin (π.χ. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Κάντε κλικ στο "Υπογραφή Μηνύματος" για να λάβετε την υπογραφή + Click "Sign Message" to generate signature + Κάντε κλικ στο "Υπογραφή Μηνύματος" για να λάβετε την υπογραφή The entered address is invalid. @@ -2125,7 +2003,7 @@ Address: %4 The Bitcoin Core developers - + Οι προγραμματιστές του Bitcoin Core [testnet] @@ -2147,7 +2025,7 @@ Address: %4 conflicted - + σύγκρουση %1/offline @@ -2238,8 +2116,8 @@ Address: %4 Έμπορος - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Πρέπει να περιμένετε %1 μπλοκ πριν μπορέσετε να χρησιμοποιήσετε τα νομίσματα που έχετε δημιουργήσει. Το μπλοκ που δημιουργήσατε μεταδόθηκε στο δίκτυο για να συμπεριληφθεί στην αλυσίδα των μπλοκ. Αν δεν μπει σε αυτή θα μετατραπεί σε "μη αποδεκτό" και δε θα μπορεί να καταναλωθεί. Αυτό συμβαίνει σπάνια όταν κάποιος άλλος κόμβος δημιουργήσει ένα μπλοκ λίγα δευτερόλεπτα πριν από εσάς. Debug information @@ -2267,7 +2145,7 @@ Address: %4 , has not been successfully broadcast yet - , δεν έχει ακόμα μεταδοθεί μ' επιτυχία + , δεν έχει ακόμα μεταδοθεί μ' επιτυχία Open for %n more block(s) @@ -2307,10 +2185,6 @@ Address: %4 Amount Ποσό - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Ανοιχτό για %n μπλοκΑνοιχτό για %n μπλοκ @@ -2333,19 +2207,15 @@ Address: %4 Offline - + Offline Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - + Ανεπιβεβαίωτες Conflicted - + Σύγκρουση Received with @@ -2476,23 +2346,19 @@ Address: %4 Export Transaction History - + Εξαγωγή Ιστορικού Συναλλαγών Exporting Failed - + Η Εξαγωγή Απέτυχε There was an error trying to save the transaction history to %1. - + Yπήρξε σφάλμα κατά την προσπάθεια αποθήκευσης του ιστορικού συναλλαγών στο %1. Exporting Successful - - - - The transaction history was successfully saved to %1. - + Επιτυχής εξαγωγή Comma separated file (*.csv) @@ -2539,7 +2405,7 @@ Address: %4 WalletFrame No wallet has been loaded. - + Δεν έχει φορτωθεί πορτοφόλι @@ -2572,12 +2438,8 @@ Address: %4 Αποτυχία κατά τη δημιουργία αντιγράφου - There was an error trying to save the wallet data to %1. - - - The wallet data was successfully saved to %1. - + Τα δεδομένα πορτοφολιού αποθηκεύτηκαν με επιτυχία στο %1. Backup Successful @@ -2651,10 +2513,6 @@ Address: %4 Αποδοχή εντολών κονσόλας και JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Εκτέλεση στο παρασκήνιο κι αποδοχή εντολών @@ -2676,7 +2534,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, you must set a rpcpassword in the configuration file: %s @@ -2687,14 +2545,10 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Ένα σφάλμα συνέβη καθώς προετοιμαζόταν η υποδοχη RPC %u για αναμονη του IPv6, επεσε πισω στο IPv4:%s @@ -2703,22 +2557,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Αποθηκευση σε συγκεκριμένη διεύθυνση. Χρησιμοποιήστε τα πλήκτρα [Host] : συμβολισμός θύρα για IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Σφάλμα: Η συναλλαγή απορρίφθηκε. Αυτό ίσως οφείλεται στο ότι τα νομίσματά σας έχουν ήδη ξοδευτεί, π.χ. με την αντιγραφή του wallet.dat σε άλλο σύστημα και την χρήση τους εκεί, χωρίς η συναλλαγή να έχει καταγραφεί στο παρόν σύστημα. @@ -2732,58 +2570,18 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Εκτέλεσε την εντολή όταν το καλύτερο μπλοκ αλλάξει(%s στην εντολή αντικαθίσταται από το hash του μπλοκ) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications Αυτό είναι ένα προ-τεστ κυκλοφορίας - χρησιμοποιήστε το με δική σας ευθύνη - δεν χρησιμοποιείτε για εξόρυξη ή για αλλες εφαρμογές - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Προειδοποίηση: Η παράμετρος -paytxfee είναι πολύ υψηλή. Πρόκειται για την αμοιβή που θα πληρώνετε για κάθε συναλλαγή που θα στέλνετε. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Προειδοποίηση: Παρακαλώ βεβαιωθείτε πως η ημερομηνία κι ώρα του συστήματός σας είναι σωστές. Αν το ρολόι του υπολογιστή σας πάει λάθος, ενδέχεται να μη λειτουργεί σωστά το Bitcoin. - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Προειδοποίηση : Σφάλμα wallet.dat κατα την ανάγνωση ! Όλα τα κλειδιά αναγνωρισθηκαν σωστά, αλλά τα δεδομένα των συναλλαγών ή καταχωρήσεις στο βιβλίο διευθύνσεων μπορεί να είναι ελλιπείς ή λανθασμένα. @@ -2793,69 +2591,37 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. (default: 1) - + (προεπιλογή: 1) (default: wallet.dat) - - - - <category> can be: - + (προεπιλογή: wallet.dat) Attempt to recover private keys from a corrupt wallet.dat Προσπάθεια για ανακτησει ιδιωτικων κλειδιων από ενα διεφθαρμένο αρχειο wallet.dat - Bitcoin Core Daemon - - - Block creation options: Αποκλεισμός επιλογων δημιουργίας: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Σύνδεση μόνο με ορισμένους κόμβους - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - Connection options: - + Επιλογές σύνδεσης: Corrupted block database detected Εντοπισθηκε διεφθαρμενη βαση δεδομενων των μπλοκ - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Ανακαλύψτε την δικη σας IP διεύθυνση (προεπιλογή: 1 όταν ακούει και δεν - externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Θελετε να δημιουργηθει τωρα η βαση δεδομενων του μπλοκ? @@ -2936,18 +2702,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Προσθήκη αμοιβής ανά kB στις συναλλαγές που στέλνετε - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Βρες ομότιμους υπολογιστές χρησιμοποιώντας αναζήτηση DNS(προεπιλογή:1) - Force safe mode (default: 0) - - - Generate coins (default: 0) Δημιουργία νομισμάτων (προκαθορισμος: 0) @@ -2956,68 +2714,32 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Πόσα μπλοκ να ελέγχθουν κατά την εκκίνηση (προεπιλογή:288,0=όλα) - If <category> is not supplied, output all debugging information. - - - Importing... - + ΕΙσαγωγή... - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - Άκυρη διεύθυνση -onion : '%s' + Invalid -onion address: '%s' + Άκυρη διεύθυνση -onion : '%s' Not enough file descriptors available. Δεν ειναι αρκετες περιγραφες αρχείων διαθέσιμες. - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Εισαγωγή μπλοκ από εξωτερικό αρχείο blk000?.dat - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - Set the number of threads to service RPC calls (default: 4) Ορίσμος του αριθμόυ θεματων στην υπηρεσία κλήσεων RPC (προεπιλογή: 4) Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - + Επιλέξτε αρχείο πορτοφολιού (μέσα απο κατάλογο δεδομένων) Usage (deprecated, use bitcoin-cli): - + Χρήση (ξεπερασμένο, χρησιμοποιήστε Bitcoin-CLI): Verifying blocks... @@ -3028,24 +2750,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Επαλήθευση πορτοφολιου... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - + Επιλογές πορτοφολιού: Imports blocks from external blk000??.dat file @@ -3053,39 +2759,23 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Αδυναμία κλειδώματος του φακέλου δεδομένων %s. Πιθανώς το Bitcoin να είναι ήδη ενεργό. Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Πληροφορίες εντοπισμού σφαλμάτων (προεπιλογή: 0, επιλογή <category> είναι προαιρετική) Information Πληροφορία - Invalid amount for -minrelaytxfee=<amount>: '%s' - Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' Maintain a full transaction index (default: 0) @@ -3108,42 +2798,18 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Συνδέση μόνο σε κόμβους του δικτύου <net> (IPv4, IPv6 ή Tor) - Print block on startup, if found in block index - - - Print block tree on startup (default: 0) - + Εκτύπωση μπλοκ δέντρου κατά την εκκίνηση (προεπιλογή: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + Ρυθμίσεις SSL: (ανατρέξτε στο Bitcoin Wiki για οδηγίες ρυθμίσεων SSL) SSL options: (see the Bitcoin Wiki for SSL setup instructions) Ρυθμίσεις SSL: (ανατρέξτε στο Bitcoin Wiki για οδηγίες ρυθμίσεων SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Αποστολή πληροφοριών εντοπισμού σφαλμάτων στην κονσόλα αντί του αρχείου debug.log @@ -3152,18 +2818,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Ορίστε το μέγιστο μέγεθος μπλοκ σε bytes (προεπιλογή: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Συρρίκνωση του αρχείο debug.log κατα την εκκίνηση του πελάτη (προεπιλογή: 1 όταν δεν-debug) @@ -3177,7 +2831,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Εκκίνηση εφαρμογής Bitcoin Core System error: @@ -3217,11 +2871,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Zapping all transactions from wallet... - + Μεταφορά όλων των συναλλαγών απο το πορτοφόλι on startup - + κατά την εκκίνηση version @@ -3304,28 +2958,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Σφάλμα φόρτωσης αρχείου wallet.dat - Invalid -proxy address: '%s' - Δεν είναι έγκυρη η διεύθυνση διαμεσολαβητή: '%s' + Invalid -proxy address: '%s' + Δεν είναι έγκυρη η διεύθυνση διαμεσολαβητή: '%s' - Unknown network specified in -onlynet: '%s' - Άγνωστo δίκτυο ορίζεται σε onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Άγνωστo δίκτυο ορίζεται σε onlynet: '%s' Unknown -socks proxy version requested: %i Άγνωστo δίκτυο ορίζεται: %i - Cannot resolve -bind address: '%s' - Δεν μπορώ να γράψω την προεπιλεγμένη διεύθυνση: '%s' + Cannot resolve -bind address: '%s' + Δεν μπορώ να γράψω την προεπιλεγμένη διεύθυνση: '%s' - Cannot resolve -externalip address: '%s' - Δεν μπορώ να γράψω την προεπιλεγμένη διεύθυνση: '%s' + Cannot resolve -externalip address: '%s' + Δεν μπορώ να γράψω την προεπιλεγμένη διεύθυνση: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Μη έγκυρο ποσό για την παράμετρο -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_eo.ts b/src/qt/locale/bitcoin_eo.ts index 7f5dc3de2f0..2d4e39f1190 100644 --- a/src/qt/locale/bitcoin_eo.ts +++ b/src/qt/locale/bitcoin_eo.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -21,7 +21,7 @@ Tio ĉi estas eksperimenta programo. Eldonita laŭ la permesilo MIT/X11. Vidu la kunan dosieron COPYING aŭ http://www.opensource.org/licenses/mit-license.php. -Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uzo en la "OpenSSL Toolkit" (http://www.openssl.org/) kaj ĉifrajn erojn kreitajn de Eric Young (eay@cryptsoft.com) kaj UPnP-erojn kreitajn de Thomas Bernard. +Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uzo en la "OpenSSL Toolkit" (http://www.openssl.org/) kaj ĉifrajn erojn kreitajn de Eric Young (eay@cryptsoft.com) kaj UPnP-erojn kreitajn de Thomas Bernard. Copyright @@ -31,11 +31,7 @@ Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uz The Bitcoin Core developers La programistoj de Bitmona Kerno - - (%1-bit) - - - + AddressBookPage @@ -128,13 +124,9 @@ Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uz Exporting Failed - - - - There was an error trying to save the address list to %1. - + ekspotado malsukcesinta - + AddressTableModel @@ -456,10 +448,6 @@ Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uz &Komandliniaj agordaĵoj - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitmon-kliento @@ -495,10 +483,6 @@ Tiu ĉi produkto enhavas erojn kreitajn de la "OpenSSL Project" por uz %1 and %2 %1 kaj %2 - - %n year(s) - - %1 behind mankas %1 @@ -574,10 +558,6 @@ Adreso: %4 CoinControlDialog - Coin Control Address Selection - - - Quantity: Kvanto: @@ -770,10 +750,6 @@ Adreso: %4 Transakcioj kun pli alta prioritato havas pli altan ŝancon inkluziviĝi en bloko. - This label turns red, if the priority is smaller than "medium". - - - This label turns red, if any recipient receives an amount smaller than %1. Tiu ĉi etikedo ruĝiĝas se iu ajn ricevonto ricevos sumon malpli ol %1. @@ -841,12 +817,12 @@ Adreso: %4 Redakti adreson por sendi - The entered address "%1" is already in the address book. - La adreso enigita "%1" jam ekzistas en la adresaro. + The entered address "%1" is already in the address book. + La adreso enigita "%1" jam ekzistas en la adresaro. - The entered address "%1" is not a valid Bitcoin address. - La adreso enigita "%1" ne estas valida Bitmon-adreso. + The entered address "%1" is not a valid Bitcoin address. + La adreso enigita "%1" ne estas valida Bitmon-adreso. Could not unlock wallet. @@ -907,18 +883,14 @@ Adreso: %4 UI-agordaĵoj - Set language, for example "de_DE" (default: system locale) - Agordi lingvon, ekzemple "de_DE" (defaŭlte: tiu de la sistemo) + Set language, for example "de_DE" (default: system locale) + Agordi lingvon, ekzemple "de_DE" (defaŭlte: tiu de la sistemo) Start minimized Lanĉiĝi plejete - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Montri salutŝildon dum lanĉo (defaŭlte: 1) @@ -958,8 +930,8 @@ Adreso: %4 Bitmono - Error: Specified data directory "%1" can not be created. - Eraro: ne eblas krei la elektitan dosierujon por datumoj "%1". + Error: Specified data directory "%1" can not be created. + Eraro: ne eblas krei la elektitan dosierujon por datumoj "%1". Error @@ -1032,26 +1004,6 @@ Adreso: %4 MB - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - Reset all client options to default. Reagordi ĉion al defaŭlataj valoroj. @@ -1064,30 +1016,6 @@ Adreso: %4 &Reto - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Aŭtomate malfermi la kursilan pordon por Bitmono. Tio funkcias nur se via kursilo havas la UPnP-funkcion, kaj se tiu ĉi estas ŝaltita. @@ -1129,7 +1057,7 @@ Adreso: %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Minimumigi la aplikaĵon anstataŭ eliri kaj ĉesi kiam la fenestro estas fermita. Se tiu ĉi estas agordita, la aplikaĵo ĉesas nur kiam oni elektas "Eliri" el la menuo. + Minimumigi la aplikaĵon anstataŭ eliri kaj ĉesi kiam la fenestro estas fermita. Se tiu ĉi estas agordita, la aplikaĵo ĉesas nur kiam oni elektas "Eliri" el la menuo. M&inimize on close @@ -1188,18 +1116,6 @@ Adreso: %4 Konfirmi reŝargo de agordoj - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - The supplied proxy address is invalid. La prokurila adreso estas malvalida. @@ -1219,18 +1135,10 @@ Adreso: %4 Monujo - Available: - - - Your current spendable balance via aktuala elspezebla saldo - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance la sumo de transakcioj ankoraŭ ne konfirmitaj, kiuj ankoraŭ ne elspezeblas @@ -1279,31 +1187,7 @@ Adreso: %4 Cannot start bitcoin: click-to-pay handler - Ne eblas lanĉi la ilon 'klaki-por-pagi' - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - + Ne eblas lanĉi la ilon 'klaki-por-pagi' Refund from %1 @@ -1314,10 +1198,6 @@ Adreso: %4 Eraro dum komunikado kun %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Malbona respondo de la servilo %1 @@ -1337,22 +1217,14 @@ Adreso: %4 Bitmono - Error: Specified data directory "%1" does not exist. - Eraro: la elektita dosierujo por datumoj "%1" ne ekzistas. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Eraro: la elektita dosierujo por datumoj "%1" ne ekzistas. Error: Invalid combination of -regtest and -testnet. Eraro: nevalida kunigo de -regtest kaj -testnet - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enigi Bitmon-adreson (ekz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1546,22 +1418,6 @@ Adreso: %4 R&euzi ekzistantan ricevan adreson (malrekomendinda) - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - Clear all fields of the form. Malplenigi ĉiujn kampojn de la formularo. @@ -1570,26 +1426,14 @@ Adreso: %4 Forigi - Requested payments history - - - &Request payment &Peti pagon - Show the selected request (does the same as double clicking an entry) - - - Show Vidigi - Remove the selected entries from the list - - - Remove Forigi @@ -1687,11 +1531,7 @@ Adreso: %4 (no message) (neniu mesaĝo) - - (no amount) - - - + SendCoinsDialog @@ -1707,10 +1547,6 @@ Adreso: %4 Enigoj... - automatically selected - - - Insufficient funds! Nesufiĉa mono! @@ -1747,14 +1583,6 @@ Adreso: %4 Restmono: - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Sendi samtempe al pluraj ricevantoj @@ -1855,10 +1683,6 @@ Adreso: %4 Kreo de transakcio fiaskis! - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - Warning: Invalid Bitcoin address Averto: Nevalida Bitmon-adreso @@ -1867,10 +1691,6 @@ Adreso: %4 (neniu etikedo) - Warning: Unknown change address - - - Are you sure you want to send? Ĉu vi certas, ke vi volas sendi? @@ -1938,22 +1758,10 @@ Adreso: %4 Mesaĝo: - This is a verified payment request. - - - Enter a label for this address to add it to the list of used addresses Tajpu etikedon por tiu ĉi adreso por aldoni ĝin al la listo de uzitaj adresoj - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - Pay To: Pagi Al: @@ -1965,10 +1773,6 @@ Adreso: %4 ShutdownWindow - Bitcoin Core is shutting down... - - - Do not shut down the computer until this window disappears. Ne sistemfermu ĝis ĉi tiu fenestro malaperas. @@ -2064,8 +1868,8 @@ Adreso: %4 Enigi Bitmon-adreson (ekz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klaku "Subskribi Mesaĝon" por krei subskribon + Click "Sign Message" to generate signature + Klaku "Subskribi Mesaĝon" por krei subskribon The entered address is invalid. @@ -2145,10 +1949,6 @@ Adreso: %4 Malferma ĝis %1 - conflicted - - - %1/offline %1/senkonekte @@ -2237,8 +2037,8 @@ Adreso: %4 Vendisto - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Kreitaj moneroj devas esti maturaj je %1 blokoj antaŭ ol eblas elspezi ilin. Kiam vi generis tiun ĉi blokon, ĝi estis elsendita al la reto por aldono al la blokĉeno. Se tiu aldono malsukcesas, ĝia stato ŝanĝiĝos al "neakceptita" kaj ne eblos elspezi ĝin. Tio estas malofta, sed povas okazi se alia bloko estas kreita je preskaŭ la sama momento kiel la via. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Kreitaj moneroj devas esti maturaj je %1 blokoj antaŭ ol eblas elspezi ilin. Kiam vi generis tiun ĉi blokon, ĝi estis elsendita al la reto por aldono al la blokĉeno. Se tiu aldono malsukcesas, ĝia stato ŝanĝiĝos al "neakceptita" kaj ne eblos elspezi ĝin. Tio estas malofta, sed povas okazi se alia bloko estas kreita je preskaŭ la sama momento kiel la via. Debug information @@ -2306,10 +2106,6 @@ Adreso: %4 Amount Sumo - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Malferma dum ankoraŭ %n blokoMalferma dum ankoraŭ %n blokoj @@ -2339,14 +2135,6 @@ Adreso: %4 Nekonfirmita - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Ricevita kun @@ -2474,24 +2262,8 @@ Adreso: %4 Montri detalojn de transakcio - Export Transaction History - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + ekspotado malsukcesinta Comma separated file (*.csv) @@ -2536,11 +2308,7 @@ Adreso: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2571,14 +2339,6 @@ Adreso: %4 Malsukcesis sekurkopio - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - Backup Successful Sukcesis krei sekurkopion @@ -2650,10 +2410,6 @@ Adreso: %4 Akcepti komandojn JSON-RPC kaj el komandlinio - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Ruli fone kiel demono kaj akcepti komandojn @@ -2675,7 +2431,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, vi devas specifi rpcpassword en la konfigura dosiero: %s @@ -2684,9 +2440,9 @@ rpcuser=bitcoinrpc rpcpassword=%s (ne utilas al vi memorigi tiun ĉi pasvorton) La salutnomo kaj la pasvorto estu nepre MALSAMAJ. -Se la dosiero ne ekzistas, kreu ĝin kun permeso "nur posedanto rajtas legi". +Se la dosiero ne ekzistas, kreu ĝin kun permeso "nur posedanto rajtas legi". Estas konsilinde ankaŭ agordi alertnotify por ke vi ricevu avertojn pri eventualaj problemoj; -ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo.com +ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo.com @@ -2702,22 +2458,10 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Bindi al donita adreso kaj ĉiam aŭskulti per ĝi. Uzu la formaton [gastigo]:pordo por IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Ŝalti reĝimo de regresotestado, kiu uzas specialan ĉenon en kiu oni povas tuj solvi blokojn. La celo de tio estas regresotestilo kaj la kreado de aplikaĵoj. - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Eraro: la transakcio estas rifuzita. Tio povas okazi se iom da Bitmono en via monujo jam elspeziĝis (ekz. se vi uzis kopion de wallet.dat kies Bitmono jam elspeziĝis, sed ne estis markita kiel elspezita ĉi tie). @@ -2730,47 +2474,15 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Plenumi komandon kiam monuja transakcio ŝanĝiĝas (%s en cmd anstataŭiĝas per TxID) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications Tiu ĉi estas antaŭeldona testa versio - uzu laŭ via propra risko - ne uzu por minado aŭ por aplikaĵoj por vendistoj - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Averto: -paytxfee estas agordita per tre alta valoro! Tio estas la krompago, kion vi pagos se vi sendas la transakcion. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Averto: Bonvolu kontroli, ke la horo kaj dato de via komputilo estas ĝuste agorditaj! Se via horloĝo malĝustas, Bitmono ne bone funkcios. @@ -2790,14 +2502,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Averto: via wallet.dat estas difektita, sed la datumoj sukcese saviĝis! La originala wallet.dat estas nun konservita kiel wallet.{timestamp}.bak en %s; se via saldo aŭ transakcioj estas malĝustaj vi devus restaŭri per alia sekurkopio. - (default: 1) - - - - (default: wallet.dat) - - - <category> can be: <category> povas esti: @@ -2814,46 +2518,22 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Blok-kreaj agordaĵoj: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Konekti nur al specifita(j) nodo(j) - Connect through SOCKS proxy - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) Konekti al la JSON-RPC per <port> (defaŭlte: 8332 aŭ testnet: 18332) - Connection options: - - - Corrupted block database detected Difektita blokdatumbazo trovita - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Malkovri la propran IP-adreson (defaŭlte: 1 dum aŭskultado sen -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Ĉu vi volas rekonstrui la blokdatumbazon nun? @@ -2930,22 +2610,10 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Malsukcesis skribi malfarajn datumojn - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Trovi samtavolanojn per DNS-elserĉo (defaŭlte: 1 krom kaze de -connect) - Force safe mode (default: 0) - - - Generate coins (default: 0) Generi Bitmonon (defaŭlte: 0) @@ -2954,50 +2622,22 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Kiom da blokoj kontrolendas dum lanĉo (defaŭlte: 288, 0=ĉiuj) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - Incorrect or no genesis block found. Wrong datadir for network? Geneza bloko aŭ netrovita aŭ neĝusta. Ĉu eble la datadir de la reto malĝustas? - Invalid -onion address: '%s' - Nevalida -onion-adreso: '%s' + Invalid -onion address: '%s' + Nevalida -onion-adreso: '%s' Not enough file descriptors available. Nesufiĉa nombro de dosierpriskribiloj disponeblas. - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Rekontrui blokĉenan indekson el la aktualaj blk000??.dat dosieroj - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - Set the number of threads to service RPC calls (default: 4) Specifi la nombron de fadenoj por priatenti RPC-alvokojn (defaŭlte: 4) @@ -3006,14 +2646,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Specifi monujan dosieron (ene de dosierujo por datumoj) - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - Usage (deprecated, use bitcoin-cli): Uzado (malaktuala, uzu anstataŭe bitcoin-cli): @@ -3038,10 +2670,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Monujaj opcioj: - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - You need to rebuild the database using -reindex to change -txindex Vi devas rekontrui la datumbazon kun -reindex por ŝanĝi -txindex @@ -3050,40 +2678,20 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Importas blokojn el ekstera dosiero blk000??.dat - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) Plenumi komandon kiam rilata alerto riceviĝas, aŭ kiam ni vidas tre longan forkon (%s en cms anstataŭiĝas per mesaĝo) - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informoj - Invalid amount for -minrelaytxfee=<amount>: '%s' - Nevalida sumo por -minrelaytxfee=<amount>: '%s' - - - Invalid amount for -mintxfee=<amount>: '%s' - Nevalida sumo por -mintxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Nevalida sumo por -minrelaytxfee=<amount>: '%s' - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Nevalida sumo por -mintxfee=<amount>: '%s' Maintain a full transaction index (default: 0) @@ -3106,42 +2714,10 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Konekti nur la nodoj en la reto <net> (IPv4, IPv6 aŭ Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-agordaĵoj: (vidu la vikio de Bitmono por instrukcioj pri agordado de SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Sendi spurajn/sencimigajn informojn al la konzolo anstataŭ al dosiero debug.log @@ -3150,18 +2726,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Agordi minimuman grandon de blokoj je bajtoj (defaŭlte: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Malpligrandigi la sencimigan protokol-dosieron kiam kliento lanĉiĝas (defaŭlte: 1 kiam mankas -debug) @@ -3174,10 +2738,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Specifi konektan tempolimon je milisekundoj (defaŭlte: 5000) - Start Bitcoin Core Daemon - - - System error: Sistema eraro: @@ -3214,14 +2774,6 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Averto: tiu ĉi versio estas eksdata. Vi bezonas ĝisdatigon! - Zapping all transactions from wallet... - - - - on startup - - - version versio @@ -3302,28 +2854,28 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo Eraro dum ŝargado de wallet.dat - Invalid -proxy address: '%s' - Nevalid adreso -proxy: '%s' + Invalid -proxy address: '%s' + Nevalid adreso -proxy: '%s' - Unknown network specified in -onlynet: '%s' - Nekonata reto specifita en -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Nekonata reto specifita en -onlynet: '%s' Unknown -socks proxy version requested: %i Nekonata versio de -socks petita: %i - Cannot resolve -bind address: '%s' - Ne eblas trovi la adreson -bind: '%s' + Cannot resolve -bind address: '%s' + Ne eblas trovi la adreson -bind: '%s' - Cannot resolve -externalip address: '%s' - Ne eblas trovi la adreson -externalip: '%s' + Cannot resolve -externalip address: '%s' + Ne eblas trovi la adreson -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Nevalida sumo por -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Nevalida sumo por -paytxfee=<amount>: '%s' Invalid amount @@ -3375,7 +2927,7 @@ ekzemple: alertnotify=echo %%s | mail -s "Averto de Bitmono" admin@foo If the file does not exist, create it with owner-readable-only file permissions. Vi devas agordi rpcpassword=<password> en la konfigura dosiero: %s -Se la dosiero ne ekzistas, kreu ĝin kun permeso "nur posedanto rajtas legi". +Se la dosiero ne ekzistas, kreu ĝin kun permeso "nur posedanto rajtas legi". \ No newline at end of file diff --git a/src/qt/locale/bitcoin_es.ts b/src/qt/locale/bitcoin_es.ts index 0bd60be1015..f97fa060873 100644 --- a/src/qt/locale/bitcoin_es.ts +++ b/src/qt/locale/bitcoin_es.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -209,7 +209,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - Atencion: ¡Si cifra su monedero y pierde la contraseña perderá <b>TODOS SUS BITCOINS</b>!" + Atencion: ¡Si cifra su monedero y pierde la contraseña perderá <b>TODOS SUS BITCOINS</b>!" Are you sure you wish to encrypt your wallet? @@ -320,7 +320,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
&Backup Wallet... - %Guardar copia del monedero... + &Guardar copia del monedero... &Change Passphrase... @@ -436,7 +436,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
Request payments (generates QR codes and bitcoin: URIs) - Solicitar pagos (genera codigo QR y URL's de Bitcoin) + Solicitar pagos (genera codigo QR y URL's de Bitcoin) &About Bitcoin Core @@ -773,8 +773,8 @@ Dirección: %4 Las transacciones con alta prioridad son más propensas a ser incluidas dentro de un bloque. - This label turns red, if the priority is smaller than "medium". - Esta etiqueta se muestra en rojo si la prioridad es menor que "media". + This label turns red, if the priority is smaller than "medium". + Esta etiqueta se muestra en rojo si la prioridad es menor que "media". This label turns red, if any recipient receives an amount smaller than %1. @@ -844,12 +844,12 @@ Dirección: %4 Editar dirección de envío - The entered address "%1" is already in the address book. - La dirección introducida "%1" ya está presente en la libreta de direcciones. + The entered address "%1" is already in the address book. + La dirección introducida "%1" ya está presente en la libreta de direcciones. - The entered address "%1" is not a valid Bitcoin address. - La dirección introducida "%1" no es una dirección Bitcoin válida. + The entered address "%1" is not a valid Bitcoin address. + La dirección introducida "%1" no es una dirección Bitcoin válida. Could not unlock wallet. @@ -910,8 +910,8 @@ Dirección: %4 Opciones GUI - Set language, for example "de_DE" (default: system locale) - Establecer el idioma, por ejemplo, "es_ES" (predeterminado: configuración regional del sistema) + Set language, for example "de_DE" (default: system locale) + Establecer el idioma, por ejemplo, "es_ES" (predeterminado: configuración regional del sistema) Start minimized @@ -961,8 +961,8 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Error: No puede crearse el directorio de datos especificado "%1". + Error: Specified data directory "%1" can not be created. + Error: No puede crearse el directorio de datos especificado "%1". Error @@ -1051,6 +1051,14 @@ Dirección: %4 Dirección IP del proxy (p. ej. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URLs de terceros (por ejemplo, un explorador de bloques) que aparecen en la pestaña de transacciones como items del menú contextual. El %s en la URL es reemplazado por el hash de la transacción. Se pueden separar múltiples URLs por una barra vertical |. + + + Third party transaction URLs + URLs de transacciones de terceros + + Active command-line options that override above options: Opciones activas de consola de comandos que tienen preferencia sobre las opciones antes mencionadas: @@ -1289,7 +1297,7 @@ Dirección: %4 Advertencia del gestor de red - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. El proxy configurado no soporta el protocolo SOCKS5, el cual es requerido para pagos vía proxy. @@ -1340,8 +1348,8 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Error: El directorio de datos especificado "%1" no existe. + Error: Specified data directory "%1" does not exist. + Error: El directorio de datos especificado "%1" no existe. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1352,8 +1360,8 @@ Dirección: %4 Error: Combinación no válida de -regtest y -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin core no se ha cerrado de forma segura todavía... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1969,8 +1977,7 @@ Dirección: %4 ShutdownWindow Bitcoin Core is shutting down... - Bitcoin Core se está cerrando... - + Bitcoin Core se está cerrando... Do not shut down the computer until this window disappears. @@ -2068,8 +2075,8 @@ Dirección: %4 Introduzca una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Haga clic en "Firmar mensaje" para generar la firma + Click "Sign Message" to generate signature + Haga clic en "Firmar mensaje" para generar la firma The entered address is invalid. @@ -2241,8 +2248,8 @@ Dirección: %4 Vendedor - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Los bitcoins generados deben madurar %1 bloques antes de que puedan gastarse. Cuando generó este bloque, se transmitió a la red para que se añadiera a la cadena de bloques. Si no consigue entrar en la cadena, su estado cambiará a "no aceptado" y ya no se podrá gastar. Esto puede ocurrir ocasionalmente si otro nodo genera un bloque a pocos segundos del suyo. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Los bitcoins generados deben madurar %1 bloques antes de que puedan gastarse. Cuando generó este bloque, se transmitió a la red para que se añadiera a la cadena de bloques. Si no consigue entrar en la cadena, su estado cambiará a "no aceptado" y ya no se podrá gastar. Esto puede ocurrir ocasionalmente si otro nodo genera un bloque a pocos segundos del suyo. Debug information @@ -2687,7 +2694,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, debe establecer un valor rpcpassword en el archivo de configuración: %s @@ -2698,7 +2705,7 @@ rpcpassword=%s El nombre de usuario y la contraseña DEBEN NO ser iguales. Si el archivo no existe, créelo con permisos de archivo de solo lectura. Se recomienda también establecer alertnotify para recibir notificaciones de problemas. -Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2782,7 +2789,7 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Aviso: ¡-paytxfee tiene un valor muy alto! Esta es la comisión que pagará si envía una transacción. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Precaución: Por favor, ¡revise que la fecha y hora de su ordenador son correctas! Si su reloj está mal, Bitcoin no funcionará correctamente. @@ -2971,15 +2978,15 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Importing... - + Importando... Incorrect or no genesis block found. Wrong datadir for network? Incorrecto o bloque de génesis no encontrado. Datadir equivocada para la red? - Invalid -onion address: '%s' - Dirección -onion inválida: '%s' + Invalid -onion address: '%s' + Dirección -onion inválida: '%s' Not enough file descriptors available. @@ -3082,12 +3089,12 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Información - Invalid amount for -minrelaytxfee=<amount>: '%s' - Cantidad inválida para -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Cantidad inválida para -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Cantidad inválida para -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Cantidad inválida para -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3323,28 +3330,28 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error al cargar wallet.dat - Invalid -proxy address: '%s' - Dirección -proxy inválida: '%s' + Invalid -proxy address: '%s' + Dirección -proxy inválida: '%s' - Unknown network specified in -onlynet: '%s' - La red especificada en -onlynet '%s' es desconocida + Unknown network specified in -onlynet: '%s' + La red especificada en -onlynet '%s' es desconocida Unknown -socks proxy version requested: %i Solicitada versión de proxy -socks desconocida: %i - Cannot resolve -bind address: '%s' - No se puede resolver la dirección de -bind: '%s' + Cannot resolve -bind address: '%s' + No se puede resolver la dirección de -bind: '%s' - Cannot resolve -externalip address: '%s' - No se puede resolver la dirección de -externalip: '%s' + Cannot resolve -externalip address: '%s' + No se puede resolver la dirección de -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Cantidad inválida para -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Cantidad inválida para -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_es_CL.ts b/src/qt/locale/bitcoin_es_CL.ts index b63743e5d64..8db633f7d66 100644 --- a/src/qt/locale/bitcoin_es_CL.ts +++ b/src/qt/locale/bitcoin_es_CL.ts @@ -1,15 +1,7 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - This is experimental software. @@ -30,15 +22,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.Copyright Copyright - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -51,7 +35,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. &New - + y nueva Copy the currently selected address to the system clipboard @@ -59,11 +43,11 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. &Copy - + y copiar C&lose - + C y perder &Copy Address @@ -71,7 +55,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. Delete the currently selected address from the list - + Eliminar la dirección seleccionada de la lista Export the data in the current tab to a file @@ -79,41 +63,13 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. &Export - + y exportar &Delete &Borrar - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label Copia &etiqueta @@ -122,22 +78,10 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.&Editar - Export Address List - - - Comma separated file (*.csv) Archivos separados por coma (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -156,10 +100,6 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Introduce contraseña actual @@ -275,10 +215,6 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.&Vista general - Node - - - Show general overview of wallet Muestra una vista general de la billetera @@ -327,20 +263,8 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.&Cambiar la contraseña... - &Sending addresses... - - - - &Receiving addresses... - - - Open &URI... - - - - Importing blocks from disk... - + Abrir y url... Reindexing blocks on disk... @@ -371,10 +295,6 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.Abre consola de depuración y diagnóstico - &Verify message... - - - Bitcoin Bitcoin @@ -384,33 +304,21 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. &Send - + &Envía &Receive - + y recibir &Show / Hide &Mostrar/Ocultar - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - Sign messages with your Bitcoin addresses to prove you own them Firmar un mensaje para provar que usted es dueño de esta dirección - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File &Archivo @@ -432,35 +340,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + bitcoin core Bitcoin client @@ -470,18 +350,6 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.%n active connection(s) to Bitcoin network %n conexión activa hacia la red Bitcoin%n conexiones activas hacia la red Bitcoin - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - %n hour(s) %n hora%n horas @@ -495,26 +363,6 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard.%n semana%n semanas - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - Error Error @@ -561,11 +409,7 @@ Dirección: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> La billetera esta <b>codificada</b> y actualmente <b>bloqueda</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel @@ -576,54 +420,10 @@ Dirección: %4 CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: Cantidad: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Cantidad @@ -636,16 +436,12 @@ Dirección: %4 Fecha - Confirmations - - - Confirmed Confirmado Priority - + prioridad Copy address @@ -660,150 +456,22 @@ Dirección: %4 Copiar Cantidad - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - + medio yes - + si no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + no (no label) (sin etiqueta) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -815,14 +483,6 @@ Dirección: %4 &Etiqueta - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Dirección @@ -843,12 +503,12 @@ Dirección: %4 Editar dirección de envio - The entered address "%1" is already in the address book. - La dirección introducida "%1" ya esta guardada en la libreta de direcciones. + The entered address "%1" is already in the address book. + La dirección introducida "%1" ya esta guardada en la libreta de direcciones. - The entered address "%1" is not a valid Bitcoin address. - La dirección introducida "%1" no es una dirección Bitcoin valida. + The entered address "%1" is not a valid Bitcoin address. + La dirección introducida "%1" no es una dirección Bitcoin valida. Could not unlock wallet. @@ -862,35 +522,15 @@ Dirección: %4 FreespaceChecker - A new data directory will be created. - - - name Nombre - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core - + bitcoin core version @@ -901,105 +541,37 @@ Dirección: %4 Uso: - command-line options - - - UI options UI opciones - Set language, for example "de_DE" (default: system locale) - - - Start minimized Arranca minimizado - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - + bienvenido Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Error - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - Open URI - - - - Open payment request from URI or file - - - URI: - - - - Select payment request file - + url: - - Select payment request file to open - - - + OptionsDialog @@ -1011,10 +583,6 @@ Dirección: %4 &Principal - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee Comisión de &transacciónes @@ -1027,68 +595,16 @@ Dirección: %4 &Inicia Bitcoin al iniciar el sistema - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - Reset all client options to default. Reestablece todas las opciones. - &Reset Options - - - &Network &Red - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - + experto Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1111,16 +627,9 @@ Dirección: %4 Puerto del servidor proxy (ej. 9050) - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - &Window - + y windows + Show only a tray icon after minimizing the window. @@ -1143,14 +652,6 @@ Dirección: %4 &Mostrado - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - &Unit to show amounts in: &Unidad en la que mostrar cantitades: @@ -1159,18 +660,10 @@ Dirección: %4 Elige la subdivisión por defecto para mostrar cantidaded en la interfaz cuando se envien monedas - Whether to show Bitcoin addresses in the transaction list or not. - - - &Display addresses in transaction list &Muestra direcciones en el listado de transaccioines - Whether to show coin control features or not. - - - &OK &OK @@ -1183,30 +676,10 @@ Dirección: %4 predeterminado - none - - - Confirm options reset Confirmar reestablecimiento de las opciones - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage @@ -1214,46 +687,14 @@ Dirección: %4 Formulario - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - Wallet Cartera - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - Total: Total: - Your current total balance - - - <b>Recent transactions</b> <b>Transacciones recientes</b> @@ -1265,74 +706,10 @@ Dirección: %4 PaymentServer - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - Payment acknowledged Pago completado - - Network request error - - - + QObject @@ -1340,22 +717,6 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduce una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1370,15 +731,7 @@ Dirección: %4 &Copy Image Copiar Imagen - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole @@ -1398,16 +751,8 @@ Dirección: %4 &Información - Debug window - - - General - - - - Using OpenSSL version - + General Startup time @@ -1430,18 +775,6 @@ Dirección: %4 Bloquea cadena - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - &Open &Abrir @@ -1450,89 +783,17 @@ Dirección: %4 &Consola - &Network Traffic - - - - &Clear - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Total: Clear console Limpiar Consola - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: &Etiqueta: @@ -1541,70 +802,10 @@ Dirección: %4 &mensaje - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label Copia etiqueta - Copy message - - - Copy amount Copiar Cantidad @@ -1616,10 +817,6 @@ Dirección: %4 Código QR - Copy &URI - - - Copy &Address &Copia dirección @@ -1628,18 +825,6 @@ Dirección: %4 Guardar imagen... - Request payment to %1 - - - - Payment information - - - - URI - - - Address Dirección @@ -1655,15 +840,7 @@ Dirección: %4 Message Mensaje - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel @@ -1686,15 +863,7 @@ Dirección: %4 (no label) (sin etiqueta) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1702,62 +871,10 @@ Dirección: %4 Enviar monedas - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - Amount: Cantidad: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Enviar a múltiples destinatarios @@ -1766,10 +883,6 @@ Dirección: %4 &Agrega destinatario - Clear all fields of the form. - - - Clear &All &Borra todos @@ -1790,50 +903,10 @@ Dirección: %4 Confirmar el envio de monedas - %1 to %2 - - - - Copy quantity - - - Copy amount Copiar Cantidad - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - The recipient address is not valid, please recheck. La dirección de destinatarion no es valida, comprueba otra vez. @@ -1854,42 +927,10 @@ Dirección: %4 Tienes una dirección duplicada, solo puedes enviar a direcciónes individuales de una sola vez. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (sin etiqueta) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1913,14 +954,6 @@ Dirección: %4 &Etiqueta: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1933,70 +966,22 @@ Dirección: %4 Alt+P - Remove this entry - - - Message: Mensaje: + + + ShutdownWindow + + + SignVerifyMessageDialog - This is a verified payment request. - + &Sign Message + &Firmar Mensaje - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - &Firmar Mensaje - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Introduce una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Choose previously used address - + The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Introduce una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Alt+A @@ -2019,10 +1004,6 @@ Dirección: %4 Firma - Copy the current signature to the system clipboard - - - Sign the message to prove you own this Bitcoin address Firmar un mensjage para probar que usted es dueño de esta dirección @@ -2031,10 +1012,6 @@ Dirección: %4 Firmar Mensaje - Reset all sign message fields - - - Clear &All &Borra todos @@ -2043,54 +1020,30 @@ Dirección: %4 &Firmar Mensaje - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduce una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Verify the message to ensure it was signed with the specified Bitcoin address - - - Verify &Message &Firmar Mensaje - Reset all verify message fields - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduce una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Click en "Firmar Mensage" para conseguir firma - - - The entered address is invalid. - La dirección introducida "%1" no es una dirección Bitcoin valida. + Click "Sign Message" to generate signature + Click en "Firmar Mensage" para conseguir firma Please check the address and try again. Por favor, revise la dirección Bitcoin e inténtelo denuevo - The entered address does not refer to a key. - - - Wallet unlock was cancelled. Ha fallado el desbloqueo de la billetera - Private key for the entered address is not available. - - - Message signing failed. Firma fallida @@ -2099,22 +1052,6 @@ Dirección: %4 Mensaje firmado - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - Message verified. Mensaje comprobado @@ -2123,11 +1060,7 @@ Dirección: %4 SplashScreen Bitcoin Core - - - - The Bitcoin Core developers - + bitcoin core [testnet] @@ -2148,10 +1081,6 @@ Dirección: %4 Abierto hasta %1 - conflicted - - - %1/offline %1/fuera de linea @@ -2167,19 +1096,11 @@ Dirección: %4 Status Estado - - , broadcast through %n node(s) - - Date Fecha - Source - - - Generated Generado @@ -2203,10 +1124,6 @@ Dirección: %4 Credit Credito - - matures in %n more block(s) - - not accepted no aceptada @@ -2236,38 +1153,14 @@ Dirección: %4 ID de Transacción - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - Transaction Transacción - Inputs - - - Amount Cantidad - true - - - - false - - - , has not been successfully broadcast yet , no ha sido emitido satisfactoriamente todavía @@ -2288,863 +1181,373 @@ Dirección: %4 This pane shows a detailed description of the transaction - Esta ventana muestra información detallada sobre la transacción - - - - TransactionTableModel - - Date - Fecha - - - Type - Tipo - - - Address - Dirección - - - Amount - Cantidad - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - Abierto para &n bloque másAbierto para &n bloques más - - - Open until %1 - Abierto hasta %1 - - - Confirmed (%1 confirmations) - Confirmado (%1 confirmaciones) - - - This block was not received by any other nodes and will probably not be accepted! - Este bloque no ha sido recibido por otros nodos y probablemente no sea aceptado ! - - - Generated but not accepted - Generado pero no acceptado - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Recibido con - - - Received from - Recibido de - - - Sent to - Enviado a - - - Payment to yourself - Pagar a usted mismo - - - Mined - Minado - - - (n/a) - (n/a) - - - Transaction status. Hover over this field to show number of confirmations. - Estado de transacción. Pasa el raton sobre este campo para ver el numero de confirmaciónes. - - - Date and time that the transaction was received. - Fecha y hora cuando se recibió la transaccion - - - Type of transaction. - Tipo de transacción. - - - Destination address of transaction. - Dirección de destino para la transacción - - - Amount removed from or added to balance. - Cantidad restada o añadida al balance - - - - TransactionView - - All - Todo - - - Today - Hoy - - - This week - Esta semana - - - This month - Esta mes - - - Last month - Mes pasado - - - This year - Este año - - - Range... - Rango... - - - Received with - Recibido con - - - Sent to - Enviado a - - - To yourself - A ti mismo - - - Mined - Minado - - - Other - Otra - - - Enter address or label to search - Introduce una dirección o etiqueta para buscar - - - Min amount - Cantidad minima - - - Copy address - Copia dirección - - - Copy label - Copia etiqueta - - - Copy amount - Copiar Cantidad - - - Copy transaction ID - - - - Edit label - Edita etiqueta - - - Show transaction details - Mostrar detalles de la transacción - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Archivos separados por coma (*.csv) - - - Confirmed - Confirmado - - - Date - Fecha - - - Type - Tipo - - - Label - Etiqueta - - - Address - Dirección - - - Amount - Cantidad - - - ID - ID - - - Range: - Rango: - - - to - para - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Enviar monedas - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - Exportar los datos de la pestaña actual a un archivo - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - Uso: - - - List commands - Muestra comandos - - - - Get help for a command - Recibir ayuda para un comando - - - - Options: - Opciones: - - - - Specify configuration file (default: bitcoin.conf) - Especifica archivo de configuración (predeterminado: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - Especifica archivo pid (predeterminado: bitcoin.pid) - - - - Specify data directory - Especifica directorio para los datos - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - Escuchar por conecciones en <puerto> (Por defecto: 8333 o red de prueba: 18333) - - - Maintain at most <n> connections to peers (default: 125) - Mantener al menos <n> conecciones por cliente (por defecto: 125) - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - Umbral de desconección de clientes con mal comportamiento (por defecto: 100) - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - Escucha conexiones JSON-RPC en el puerto <port> (predeterminado: 8332 or testnet: 18332) - - - Accept command line and JSON-RPC commands - Aceptar comandos consola y JSON-RPC - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - Correr como demonio y acepta comandos - - - - Use the test network - Usa la red de pruebas - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Precaución: -paytxfee es muy alta. Esta es la comisión que pagarás si envias una transacción. - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Precaución: Por favor revise que la fecha y hora de tu ordenador son correctas. Si tu reloj está mal configurado Bitcoin no funcionará correctamente. - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - + Esta ventana muestra información detallada sobre la transacción + + + TransactionTableModel - Attempt to recover private keys from a corrupt wallet.dat - + Date + Fecha - Bitcoin Core Daemon - + Type + Tipo - Block creation options: - + Address + Dirección - Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Amount + Cantidad - Connect only to the specified node(s) - Conecta solo al nodo especificado - + Open until %1 + Abierto hasta %1 - Connect through SOCKS proxy - + Confirmed (%1 confirmations) + Confirmado (%1 confirmaciones) - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + This block was not received by any other nodes and will probably not be accepted! + Este bloque no ha sido recibido por otros nodos y probablemente no sea aceptado ! - Connection options: - + Generated but not accepted + Generado pero no acceptado - Corrupted block database detected - + Received with + Recibido con - Debugging/Testing options: - + Received from + Recibido de - Disable safemode, override a real safe mode event (default: 0) - + Sent to + Enviado a - Discover own IP address (default: 1 when listening and no -externalip) - + Payment to yourself + Pagar a usted mismo - Do not load the wallet and disable wallet RPC calls - + Mined + Minado - Do you want to rebuild the block database now? - + (n/a) + (n/a) - Error initializing block database - + Transaction status. Hover over this field to show number of confirmations. + Estado de transacción. Pasa el raton sobre este campo para ver el numero de confirmaciónes. - Error initializing wallet database environment %s! - + Date and time that the transaction was received. + Fecha y hora cuando se recibió la transaccion - Error loading block database - Error cargando blkindex.dat + Type of transaction. + Tipo de transacción. - Error opening block database - + Destination address of transaction. + Dirección de destino para la transacción - Error: Disk space is low! - Atención: Poco espacio en el disco duro + Amount removed from or added to balance. + Cantidad restada o añadida al balance + + + TransactionView - Error: Wallet locked, unable to create transaction! - + All + Todo - Error: system error: - Error: error de sistema: + Today + Hoy - Failed to listen on any port. Use -listen=0 if you want this. - + This week + Esta semana - Failed to read block info - Falló la lectura de la información del bloque + This month + Esta mes - Failed to read block - Falló la lectura del bloque + Last month + Mes pasado - Failed to sync block index - Falló sincronización del índice del bloque + This year + Este año - Failed to write block index - Falló la escritura del bloque del índice + Range... + Rango... - Failed to write block info - Falló la escritura de la información del bloque + Received with + Recibido con - Failed to write block - Falló la escritura del bloque + Sent to + Enviado a - Failed to write file info - + To yourself + A ti mismo - Failed to write to coin database - + Mined + Minado - Failed to write transaction index - + Other + Otra - Failed to write undo data - + Enter address or label to search + Introduce una dirección o etiqueta para buscar - Fee per kB to add to transactions you send - Comisión por kB para adicionarla a las transacciones enviadas + Min amount + Cantidad minima - Fees smaller than this are considered zero fee (for relaying) (default: - + Copy address + Copia dirección - Find peers using DNS lookup (default: 1 unless -connect) - + Copy label + Copia etiqueta - Force safe mode (default: 0) - + Copy amount + Copiar Cantidad - Generate coins (default: 0) - + Edit label + Edita etiqueta - How many blocks to check at startup (default: 288, 0 = all) - + Show transaction details + Mostrar detalles de la transacción - If <category> is not supplied, output all debugging information. - + Comma separated file (*.csv) + Archivos separados por coma (*.csv) - Importing... - + Confirmed + Confirmado - Incorrect or no genesis block found. Wrong datadir for network? - + Date + Fecha - Invalid -onion address: '%s' - + Type + Tipo - Not enough file descriptors available. - + Label + Etiqueta - Prepend debug output with timestamp (default: 1) - + Address + Dirección - RPC client options: - + Amount + Cantidad - Rebuild block chain index from current blk000??.dat files - + ID + ID - Select SOCKS version for -proxy (4 or 5, default: 5) - + Range: + Rango: - Set database cache size in megabytes (%d to %d, default: %d) - + to + para + + + WalletFrame + + + WalletModel - Set maximum block size in bytes (default: %d) - + Send Coins + Enviar monedas + + + WalletView - Set the number of threads to service RPC calls (default: 4) - + &Export + y exportar - Specify wallet file (within data directory) - + Export the data in the current tab to a file + Exportar los datos de la pestaña actual a un archivo - Spend unconfirmed change when sending transactions (default: 1) - + Backup Wallet + Respaldar billetera - This is intended for regression testing tools and app development. - + Wallet Data (*.dat) + Datos de billetera (*.dat) - Usage (deprecated, use bitcoin-cli): - + Backup Failed + Ha fallado el respaldo + + + bitcoin-core - Verifying blocks... - + Usage: + Uso: - Verifying wallet... - + List commands + Muestra comandos + - Wait for RPC server to start - + Get help for a command + Recibir ayuda para un comando + - Wallet %s resides outside data directory %s - + Options: + Opciones: + - Wallet options: - + Specify configuration file (default: bitcoin.conf) + Especifica archivo de configuración (predeterminado: bitcoin.conf) + - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Specify pid file (default: bitcoind.pid) + Especifica archivo pid (predeterminado: bitcoin.pid) + - You need to rebuild the database using -reindex to change -txindex - + Specify data directory + Especifica directorio para los datos + - Imports blocks from external blk000??.dat file - Importar bloques desde el archivo externo blk000??.dat + Listen for connections on <port> (default: 8333 or testnet: 18333) + Escuchar por conecciones en <puerto> (Por defecto: 8333 o red de prueba: 18333) - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Maintain at most <n> connections to peers (default: 125) + Mantener al menos <n> conecciones por cliente (por defecto: 125) - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Threshold for disconnecting misbehaving peers (default: 100) + Umbral de desconección de clientes con mal comportamiento (por defecto: 100) - Output debugging information (default: 0, supplying <category> is optional) - + Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) + Escucha conexiones JSON-RPC en el puerto <port> (predeterminado: 8332 or testnet: 18332) - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Accept command line and JSON-RPC commands + Aceptar comandos consola y JSON-RPC + - Information - Información + Run in the background as a daemon and accept commands + Correr como demonio y acepta comandos + - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Use the test network + Usa la red de pruebas + - Invalid amount for -mintxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Precaución: -paytxfee es muy alta. Esta es la comisión que pagarás si envias una transacción. - Limit size of signature cache to <n> entries (default: 50000) - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Precaución: Por favor revise que la fecha y hora de tu ordenador son correctas. Si tu reloj está mal configurado Bitcoin no funcionará correctamente. - Log transaction priority and fee per kB when mining blocks (default: 0) - + Connect only to the specified node(s) + Conecta solo al nodo especificado + - Maintain a full transaction index (default: 0) - + Error loading block database + Error cargando blkindex.dat - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Error: Disk space is low! + Atención: Poco espacio en el disco duro - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Error: system error: + Error: error de sistema: - Only accept block chain matching built-in checkpoints (default: 1) - + Failed to read block info + Falló la lectura de la información del bloque - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Failed to read block + Falló la lectura del bloque - Print block on startup, if found in block index - + Failed to sync block index + Falló sincronización del índice del bloque - Print block tree on startup (default: 0) - + Failed to write block index + Falló la escritura del bloque del índice - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Failed to write block info + Falló la escritura de la información del bloque - RPC server options: - + Failed to write block + Falló la escritura del bloque - Randomly drop 1 of every <n> network messages - + Fee per kB to add to transactions you send + Comisión por kB para adicionarla a las transacciones enviadas - Randomly fuzz 1 of every <n> network messages - + Imports blocks from external blk000??.dat file + Importar bloques desde el archivo externo blk000??.dat - Run a thread to flush wallet periodically (default: 1) - + Information + Información SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opciones SSL: (ver la Bitcoin Wiki para instrucciones de configuración SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Enviar informacion de seguimiento a la consola en vez del archivo debug.log @@ -3153,50 +1556,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Establezca el tamaño mínimo del bloque en bytes (por defecto: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - Specify connection timeout in milliseconds (default: 5000) Especifica tiempo de espera para conexion en milisegundos (predeterminado: 5000) - Start Bitcoin Core Daemon - - - System error: Error de sistema: - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - Use UPnP to map the listening port (default: 0) Intenta usar UPnP para mapear el puerto de escucha (default: 0) @@ -3218,14 +1585,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Advertencia: Esta versión está obsoleta, se necesita actualizar! - Zapping all transactions from wallet... - - - - on startup - - - version versión @@ -3249,10 +1608,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - Upgrade wallet to latest format Actualizar billetera al formato actual @@ -3316,28 +1671,12 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error cargando wallet.dat - Invalid -proxy address: '%s' - Dirección -proxy invalida: '%s' - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - + Invalid -proxy address: '%s' + Dirección -proxy invalida: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Cantidad inválida para -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Cantidad inválida para -paytxfee=<amount>: '%s' Invalid amount @@ -3360,14 +1699,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cargando cartera... - Cannot downgrade wallet - - - - Cannot write default address - - - Rescanning... Rescaneando... @@ -3383,11 +1714,5 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error Error - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_es_DO.ts b/src/qt/locale/bitcoin_es_DO.ts index 6fca8310179..41953e22914 100644 --- a/src/qt/locale/bitcoin_es_DO.ts +++ b/src/qt/locale/bitcoin_es_DO.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -34,11 +34,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
The Bitcoin Core developers Los desarrolladores del Núcleo de Bitcoin - - (%1-bit) - - - + AddressBookPage @@ -133,11 +129,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
Exporting Failed Error exportando - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -209,7 +201,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.
Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - Atencion: ¡Si cifra su monedero y pierde la contraseña perderá <b>TODOS SUS BITCOINS</b>!" + Atencion: ¡Si cifra su monedero y pierde la contraseña perderá <b>TODOS SUS BITCOINS</b>!" Are you sure you wish to encrypt your wallet? @@ -436,7 +428,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. Request payments (generates QR codes and bitcoin: URIs) - Solicitar pagos (genera codigo QR y URL's de Bitcoin) + Solicitar pagos (genera codigo QR y URL's de Bitcoin) &About Bitcoin Core @@ -459,10 +451,6 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.&Opciones de linea de comando - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Cliente Bitcoin @@ -495,14 +483,6 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.%n semana%n semanas - %1 and %2 - - - - %n year(s) - - - %1 behind %1 atrás @@ -773,8 +753,8 @@ Dirección: %4 Las transacciones con alta prioridad son más propensas a ser incluidas dentro de un bloque. - This label turns red, if the priority is smaller than "medium". - Esta etiqueta se convierte en rojo, si la prioridad es menor que "medio". + This label turns red, if the priority is smaller than "medium". + Esta etiqueta se convierte en rojo, si la prioridad es menor que "medio". This label turns red, if any recipient receives an amount smaller than %1. @@ -844,12 +824,12 @@ Dirección: %4 Editar dirección de envío - The entered address "%1" is already in the address book. - La dirección introducida "%1" ya está presente en la libreta de direcciones. + The entered address "%1" is already in the address book. + La dirección introducida "%1" ya está presente en la libreta de direcciones. - The entered address "%1" is not a valid Bitcoin address. - La dirección introducida "%1" no es una dirección Bitcoin válida. + The entered address "%1" is not a valid Bitcoin address. + La dirección introducida "%1" no es una dirección Bitcoin válida. Could not unlock wallet. @@ -886,10 +866,6 @@ Dirección: %4 HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Núcleo de Bitcoin @@ -910,18 +886,14 @@ Dirección: %4 Opciones GUI - Set language, for example "de_DE" (default: system locale) - Establecer el idioma, por ejemplo, "es_ES" (predeterminado: configuración regional del sistema) + Set language, for example "de_DE" (default: system locale) + Establecer el idioma, por ejemplo, "es_ES" (predeterminado: configuración regional del sistema) Start minimized Arrancar minimizado - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Mostrar pantalla de bienvenida en el inicio (predeterminado: 1) @@ -961,8 +933,8 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Error: No puede crearse el directorio de datos especificado "%1". + Error: Specified data directory "%1" can not be created. + Error: No puede crearse el directorio de datos especificado "%1". Error @@ -1027,34 +999,18 @@ Dirección: %4 &Iniciar Bitcoin al iniciar el sistema - Size of &database cache - - - MB MB - Number of script &verification threads - - - Connect to the Bitcoin network through a SOCKS proxy. Conéctese a la red Bitcoin través de un proxy SOCKS. - &Connect through SOCKS proxy (default proxy): - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Dirección IP del proxy (ej. IPv4: 127.0.0.1 / IPv6: ::1) - Active command-line options that override above options: - - - Reset all client options to default. Restablecer todas las opciones del cliente a las predeterminadas. @@ -1067,30 +1023,10 @@ Dirección: %4 &Red - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - Expert Experto - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Abrir automáticamente el puerto del cliente Bitcoin en el router. Esta opción solo funciona si el router admite UPnP y está activado. @@ -1195,10 +1131,6 @@ Dirección: %4 Reinicio del cliente para activar cambios. - Client will be shutdown, do you want to proceed? - - - This change would require a client restart. Este cambio requiere reinicio por parte del cliente. @@ -1222,18 +1154,10 @@ Dirección: %4 Monedero - Available: - - - Your current spendable balance Su balance actual gastable - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Total de transacciones que deben ser confirmadas, y que no cuentan con el balance gastable necesario @@ -1285,26 +1209,6 @@ Dirección: %4 No se pudo iniciar bitcoin: manejador de pago-al-clic - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - Unverified payment requests to custom payment scripts are unsupported. No están soportadas las peticiones inseguras a scripts de pago personalizados @@ -1317,10 +1221,6 @@ Dirección: %4 Error en la comunicación con %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Respuesta errónea del servidor %1 @@ -1340,22 +1240,14 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Error: El directorio de datos especificado "%1" no existe. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Error: El directorio de datos especificado "%1" no existe. Error: Invalid combination of -regtest and -testnet. Error: Combinación no válida de -regtest y -testnet. - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduzca una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1549,22 +1441,6 @@ Dirección: %4 R&eutilizar una dirección existente para recibir (no recomendado) - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - Clear all fields of the form. Limpiar todos los campos del formulario. @@ -1573,10 +1449,6 @@ Dirección: %4 Limpiar - Requested payments history - - - &Request payment &Solicitar pago @@ -1601,10 +1473,6 @@ Dirección: %4 Copiar etiqueta - Copy message - - - Copy amount Copiar cantidad @@ -1690,11 +1558,7 @@ Dirección: %4 (no message) (Ningun mensaje) - - (no amount) - - - + SendCoinsDialog @@ -1937,10 +1801,6 @@ Dirección: %4 Eliminar esta transacción - Message: - - - This is a verified payment request. Esto es una petición de pago verificado. @@ -1949,10 +1809,6 @@ Dirección: %4 Introduce una etiqueta para esta dirección para añadirla a la lista de direcciones utilizadas - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - This is an unverified payment request. Esto es una petición de pago no verificado. @@ -1967,15 +1823,7 @@ Dirección: %4 ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -2067,8 +1915,8 @@ Dirección: %4 Introduzca una dirección Bitcoin (ej. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Haga clic en "Firmar mensaje" para generar la firma + Click "Sign Message" to generate signature + Haga clic en "Firmar mensaje" para generar la firma The entered address is invalid. @@ -2148,10 +1996,6 @@ Dirección: %4 Abierto hasta %1 - conflicted - - - %1/offline %1/fuera de línea @@ -2240,8 +2084,8 @@ Dirección: %4 Vendedor - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Las monedas generadas deben madurar %1 bloques antes de que puedan ser gastadas. Una vez que generas este bloque, es propagado por la red para ser añadido a la cadena de bloques. Si falla el intento de meterse en la cadena, su estado cambiará a "no aceptado" y ya no se puede gastar. Esto puede ocurrir ocasionalmente si otro nodo genera un bloque a pocos segundos del tuyo. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Las monedas generadas deben madurar %1 bloques antes de que puedan ser gastadas. Una vez que generas este bloque, es propagado por la red para ser añadido a la cadena de bloques. Si falla el intento de meterse en la cadena, su estado cambiará a "no aceptado" y ya no se puede gastar. Esto puede ocurrir ocasionalmente si otro nodo genera un bloque a pocos segundos del tuyo. Debug information @@ -2309,10 +2153,6 @@ Dirección: %4 Amount Cantidad - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Abrir para %n bloque másAbrir para %n bloques más @@ -2334,22 +2174,6 @@ Dirección: %4 Generado pero no aceptado - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Recibido con @@ -2659,10 +2483,6 @@ Dirección: %4 - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Ejecutar en segundo plano como daemon y aceptar comandos @@ -2686,7 +2506,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, debe establecer un valor rpcpassword en el archivo de configuración: %s @@ -2697,7 +2517,7 @@ rpcpassword=%s El nombre de usuario y la contraseña DEBEN NO ser iguales. Si el archivo no existe, créelo con permisos de archivo de solo lectura. Se recomienda también establecer alertnotify para recibir notificaciones de problemas. -Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2713,22 +2533,10 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Vincular a la dirección dada y escuchar siempre en ella. Utilice la notación [host]:port para IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Iniciar modo de prueba de regresión, el cuál utiliza una cadena especial en la cual los bloques pueden ser resueltos instantáneamente. Se utiliza para herramientas de prueba de regresión y desarrollo de aplicaciones. - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. ¡Error: se ha rechazado la transacción! Esto puede ocurrir si ya se han gastado algunas de las monedas del monedero, como ocurriría si hubiera hecho una copia de wallet.dat y se hubieran gastado monedas a partir de la copia, con lo que no se habrían marcado aquí como gastadas. @@ -2741,38 +2549,10 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Ejecutar comando cuando una transacción del monedero cambia (%s en cmd se remplazará por TxID) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications Esta es una versión de pre-prueba - utilícela bajo su propio riesgo. No la utilice para usos comerciales o de minería. - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) Usar distintos proxys SOCKS5 para comunicarse vía Tor de forma anónima (Por defecto: -proxy) @@ -2781,7 +2561,7 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Aviso: ¡-paytxfee tiene un valor muy alto! Esta es la comisión que pagará si envía una transacción. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Precaución: Por favor, ¡revise que la fecha y hora de su ordenador son correctas! Si su reloj está mal, Bitcoin no funcionará correctamente. @@ -2801,14 +2581,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Aviso: ¡Recuperados datos de wallet.dat corrupto! El wallet.dat original se ha guardado como wallet.{timestamp}.bak en %s; si hubiera errores en su saldo o transacciones, deberá restaurar una copia de seguridad. - (default: 1) - - - - (default: wallet.dat) - - - <category> can be: <category> puede ser: @@ -2825,10 +2597,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Opciones de creación de bloques: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Conectar sólo a los nodos (o nodo) especificados @@ -2841,30 +2609,14 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Conectar a JSON-RPC en <puerto> (predeterminado: 8332 o testnet: 18332) - Connection options: - - - Corrupted block database detected Corrupción de base de datos de bloques detectada. - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Descubrir dirección IP propia (predeterminado: 1 al escuchar sin -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? ¿Quieres reconstruir la base de datos de bloques ahora? @@ -2945,18 +2697,10 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Donación por KB añadida a las transacciones que envíe - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Encontrar pares mediante búsqueda de DNS (predeterminado: 1 salvo con -connect) - Force safe mode (default: 0) - - - Generate coins (default: 0) Generar monedas (por defecto: 0) @@ -2969,16 +2713,12 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Si no se proporciona <category>, mostrar toda la depuración - Importing... - - - Incorrect or no genesis block found. Wrong datadir for network? Incorrecto o bloque de génesis no encontrado. Datadir equivocada para la red? - Invalid -onion address: '%s' - Dirección -onion inválida: '%s' + Invalid -onion address: '%s' + Dirección -onion inválida: '%s' Not enough file descriptors available. @@ -3001,10 +2741,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Seleccionar version de SOCKS para -proxy (4 o 5, por defecto: 5) - Set database cache size in megabytes (%d to %d, default: %d) - - - Set maximum block size in bytes (default: %d) Establecer tamaño máximo de bloque en bytes (por defecto: %d) @@ -3017,14 +2753,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Especificar archivo de monedero (dentro del directorio de datos) - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - Usage (deprecated, use bitcoin-cli): Uso (desaconsejado, usar bitcoin-cli) @@ -3045,10 +2773,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. El monedero %s se encuentra fuera del directorio de datos %s - Wallet options: - - - Warning: Deprecated argument -debugnet ignored, use -debug=net Aviso: Argumento -debugnet anticuado, utilice -debug=net @@ -3061,10 +2785,6 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Importa los bloques desde un archivo blk000??.dat externo - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) Ejecutar un comando cuando se reciba una alerta importante o cuando veamos un fork demasiado largo (%s en cmd se reemplazará por el mensaje) @@ -3081,20 +2801,12 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Información - Invalid amount for -minrelaytxfee=<amount>: '%s' - Inválido por el monto -minrelaytxfee=<amount>: '%s' - - - Invalid amount for -mintxfee=<amount>: '%s' - Inválido por el monto -mintxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Inválido por el monto -minrelaytxfee=<amount>: '%s' - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Inválido por el monto -mintxfee=<amount>: '%s' Maintain a full transaction index (default: 0) @@ -3118,31 +2830,27 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Print block on startup, if found in block index - + Imprimir bloque en inicio, si se encuentra en el índice de bloques Print block tree on startup (default: 0) - + Imprimir árbol de bloques en inicio (por defecto: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opciones RPC SSL: (Vea la Wiki de Bitcoin para las instrucciones de la configuración de SSL) RPC server options: - + Opciones del sservidor RPC: Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - + Descartar aleatoriamente 1 de cada <n> mensajes de red Run a thread to flush wallet periodically (default: 1) - + Ejecutar un hilo para vaciar la billetera periodicamente (por defecto:1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3150,7 +2858,7 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Send command to Bitcoin Core - + Enviar comando a Bitcoin Core Send trace/debug info to console instead of debug.log file @@ -3162,15 +2870,15 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Establece la bandera DB_PRIVATE en el entorno db de la billetera (por defecto:1) Show all debugging options (usage: --help -help-debug) - + Mostrar todas las opciones de depuración (uso: --help -help-debug) Show benchmark information (default: 0) - + Mostrar información de punto de referencia (por defecto: 0) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3186,7 +2894,7 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Iniciar demonio de Bitcoin Core System error: @@ -3226,12 +2934,8 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Aviso: Esta versión es obsoleta, actualización necesaria! - Zapping all transactions from wallet... - - - on startup - + al iniciar version @@ -3322,28 +3026,28 @@ Por ejemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error al cargar wallet.dat - Invalid -proxy address: '%s' - Dirección -proxy inválida: '%s' + Invalid -proxy address: '%s' + Dirección -proxy inválida: '%s' - Unknown network specified in -onlynet: '%s' - La red especificada en -onlynet '%s' es desconocida + Unknown network specified in -onlynet: '%s' + La red especificada en -onlynet '%s' es desconocida Unknown -socks proxy version requested: %i Solicitada versión de proxy -socks desconocida: %i - Cannot resolve -bind address: '%s' - No se puede resolver la dirección de -bind: '%s' + Cannot resolve -bind address: '%s' + No se puede resolver la dirección de -bind: '%s' - Cannot resolve -externalip address: '%s' - No se puede resolver la dirección de -externalip: '%s' + Cannot resolve -externalip address: '%s' + No se puede resolver la dirección de -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Cantidad inválida para -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Cantidad inválida para -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_es_MX.ts b/src/qt/locale/bitcoin_es_MX.ts index 6920f2300b4..eed2a6032f7 100644 --- a/src/qt/locale/bitcoin_es_MX.ts +++ b/src/qt/locale/bitcoin_es_MX.ts @@ -1,34 +1,25 @@ - + AboutDialog About Bitcoin Core - + Acerca de Bitcoin Core <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + <b>Bitcoin Core</b> versión Copyright - + Copyright The Bitcoin Core developers - El nucleo de Bitcoin de desarrolladores + Los desarrolladores de Bitcoin Core (%1-bit) - + (%1-bit) @@ -43,7 +34,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &Nuevo Copy the currently selected address to the system clipboard @@ -51,27 +42,27 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + &Copiar C&lose - + Cerrar &Copy Address - + &Copiar dirección Delete the currently selected address from the list - + Eliminar la dirección actualmente seleccionada de la lista Export the data in the current tab to a file - + Exportar la información en la tabla actual a un archivo &Export - + &Exportar &Delete @@ -79,43 +70,43 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Elija una dirección a la cual enviar monedas Choose the address to receive coins with - + Elija la dirección con la cual recibir monedas C&hoose - + Elegir Sending addresses - + Enviando direcciones Receiving addresses - + Recibiendo direcciones These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Estas son tus direcciones de Bitcoin para enviar pagos. Siempre revise la cantidad y la dirección receptora antes de enviar monedas These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Estas son tus direcciones Bitcoin para recibir pagos. Es recomendado usar una nueva dirección receptora para cada transacción. Copy &Label - + Copiar &Etiqueta &Edit - + &Editar Export Address List - + Exportar Lista de direcciones Comma separated file (*.csv) @@ -123,11 +114,11 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - Fallo en la exportación + Exportación fallida There was an error trying to save the address list to %1. - Ocurrio un error al intentar guardar la lista de direccione en %1 + Ocurrio un error al intentar guardar la lista de direcciones en %1 @@ -148,10 +139,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Ingrese la contraseña @@ -169,7 +156,7 @@ This product includes software developed by the OpenSSL Project for use in the O Encrypt wallet - Cartera encriptada. + Encriptar cartera. This operation needs your wallet passphrase to unlock the wallet. @@ -185,7 +172,7 @@ This product includes software developed by the OpenSSL Project for use in the O Decrypt wallet - Desencriptar la cartera + Desencriptar cartera Change passphrase @@ -201,19 +188,15 @@ This product includes software developed by the OpenSSL Project for use in the O Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Advertencia: Si encripta su cartera y pierde su contraseña, <b>PERDERÁ TODOS SUS BITCOINS</b>! Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + ¿Está seguro que desea encriptar su cartera? Warning: The Caps Lock key is on! - + Advertencia: ¡La tecla Bloq Mayus está activada! Wallet encrypted @@ -221,11 +204,11 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + Bitcoin se cerrará para finalizar el proceso de encriptación. Recuerda que encriptar tu cartera no protege completamente a tus bitcoins de ser robadas por malware infectando tu computadora. Wallet encryption failed - La encriptación de la cartera falló + Encriptación de la cartera fallida Wallet encryption failed due to an internal error. Your wallet was not encrypted. @@ -237,11 +220,11 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet unlock failed - El desbloqueo de la cartera Fallo + El desbloqueo de la cartera falló The passphrase entered for the wallet decryption was incorrect. - La contraseña ingresada para la des encriptación de la cartera es incorrecto + La contraseña ingresada para la desencriptación de la cartera es incorrecto Wallet decryption failed @@ -249,14 +232,14 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet passphrase was successfully changed. - + La contraseña de la cartera ha sido exitosamente cambiada. BitcoinGUI Sign &message... - + Sign &mensaje Synchronizing with network... @@ -268,7 +251,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Nodo Show general overview of wallet @@ -296,11 +279,11 @@ This product includes software developed by the OpenSSL Project for use in the O About &Qt - + Acerca de &Qt Show information about Qt - + Mostrar información acerca de Qt &Options... @@ -308,47 +291,47 @@ This product includes software developed by the OpenSSL Project for use in the O &Encrypt Wallet... - + &Encriptar cartera &Backup Wallet... - + &Respaldar cartera &Change Passphrase... - + &Cambiar contraseña... &Sending addresses... - + &Enviando direcciones... &Receiving addresses... - + &Recibiendo direcciones... Open &URI... - + Abrir &URL... Importing blocks from disk... - + Importando bloques desde el disco... Reindexing blocks on disk... - + Reindexando bloques en el disco... Send coins to a Bitcoin address - + Enviar monedas a una dirección Bitcoin Modify configuration options for Bitcoin - + Modificar las opciones de configuración de Bitcoin Backup wallet to another location - + Respaldar cartera en otra ubicación Change the passphrase used for wallet encryption @@ -356,51 +339,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Debug window - + &Depurar ventana Open debugging and diagnostic console - + Abrir la consola de depuración y disgnostico &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + &Verificar mensaje... &File @@ -419,34 +366,10 @@ This product includes software developed by the OpenSSL Project for use in the O Pestañas - [testnet] - - - Bitcoin Core nucleo Bitcoin - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - &Command-line options opciones de la &Linea de comandos @@ -454,71 +377,11 @@ This product includes software developed by the OpenSSL Project for use in the O Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options Mostrar mensaje de ayuda del nucleo de Bitcoin para optener una lista con los posibles comandos de Bitcoin - - Bitcoin client - - %n active connection(s) to Bitcoin network %n Activar conexión a la red de Bitcoin%n Activar conexiones a la red de Bitcoin - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - Up to date Actualizado al dia @@ -535,14 +398,6 @@ This product includes software developed by the OpenSSL Project for use in the O Transacción entrante - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> La cartera esta <b>encriptada</b> y <b>desbloqueada</b> actualmente @@ -550,29 +405,13 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> La cartera esta <b>encriptada</b> y <b>bloqueada</b> actualmente - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - Bytes: Bytes: @@ -589,30 +428,6 @@ Address: %4 Cuota: - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Monto @@ -625,18 +440,10 @@ Address: %4 Fecha - Confirmations - - - Confirmed Confirmado - Priority - - - Copy address Copiar dirección @@ -649,18 +456,6 @@ Address: %4 copiar monto - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - Copy quantity copiar cantidad @@ -681,118 +476,14 @@ Address: %4 copiar prioridad - Copy low output - - - Copy change copiar cambio - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (sin etiqueta) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -804,14 +495,6 @@ Address: %4 &Etiqueta - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Dirección @@ -832,12 +515,8 @@ Address: %4 Editar dirección de envios - The entered address "%1" is already in the address book. - El domicilio ingresado "%1" ya existe en la libreta de direcciones - - - The entered address "%1" is not a valid Bitcoin address. - + The entered address "%1" is already in the address book. + El domicilio ingresado "%1" ya existe en la libreta de direcciones Could not unlock wallet. @@ -850,27 +529,7 @@ Address: %4 FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog @@ -898,18 +557,14 @@ Address: %4 Opciones de interfaz - Set language, for example "de_DE" (default: system locale) - Definir idioma, por ejemplo "de_DE" (por defecto: Sistema local) + Set language, for example "de_DE" (default: system locale) + Definir idioma, por ejemplo "de_DE" (por defecto: Sistema local) Start minimized Iniciar minimizado - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Mostrar pantalla de arraque al iniciar (por defecto: 1) @@ -920,2441 +575,621 @@ Address: %4 Intro + + + OpenURIDialog + + + OptionsDialog - Welcome - + Options + Opciones - Welcome to Bitcoin Core. - + Active command-line options that override above options: + Activar las opciones de linea de comando que sobre escriben las siguientes opciones: + + + OverviewPage - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Form + Formulario - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + <b>Recent transactions</b> + <b>Transacciones recientes</b> + + + PaymentServer - Use the default data directory - + Net manager warning + advertencia del administrador de red. - Use a custom data directory: - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Tu active proxy no soporta SOCKS5, el cual es requerido para solicitud de pago via proxy. + + + QObject - Bitcoin - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Ingrese una direccion Bitcoin (ejem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog - Error: Specified data directory "%1" can not be created. - + &Label: + &Etiqueta - Error - + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. + Mensaje opcional para agregar a la solicitud de pago, el cual será mostrado cuando la solicitud este abierta. Nota: El mensaje no se manda con el pago a travéz de la red de Bitcoin. - GB of free space available - + Use this form to request payments. All fields are <b>optional</b>. + Use este formulario para la solicitud de pagos. Todos los campos son <b>opcionales</b> - (of %1GB needed) - + An optional amount to request. Leave this empty or zero to not request a specific amount. + Monto opcional a solicitar. Dejarlo vacion o en cero no solicita un monto especifico. - - - OpenURIDialog - Open URI - + Copy label + Copiar capa - Open payment request from URI or file - + Copy amount + copiar monto + + + ReceiveRequestDialog - URI: - + Address + Domicilio - Select payment request file - + Amount + Monto - Select payment request file to open - + Label + Etiqueta - + - OptionsDialog + RecentRequestsTableModel - Options - Opciones + Date + Fecha - &Main - + Label + Etiqueta - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Amount + Monto - Pay transaction &fee - + (no label) + (sin etiqueta) + + + SendCoinsDialog - Automatically start Bitcoin after logging in to the system. - + Send Coins + Mandar monedas - &Start Bitcoin on system login - + Bytes: + Bytes: - Size of &database cache - + Amount: + Monto: - MB - + Priority: + Prioridad: - Number of script &verification threads - + Fee: + Cuota: - Connect to the Bitcoin network through a SOCKS proxy. - + Send to multiple recipients at once + Enviar a múltiples receptores a la vez - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - Activar las opciones de linea de comando que sobre escriben las siguientes opciones: - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Formulario - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Transacciones recientes</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - advertencia del administrador de red. - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Tu active proxy no soporta SOCKS5, el cual es requerido para solicitud de pago via proxy. - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Ingrese una direccion Bitcoin (ejem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Etiqueta - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - Mensaje opcional para agregar a la solicitud de pago, el cual será mostrado cuando la solicitud este abierta. Nota: El mensaje no se manda con el pago a travéz de la red de Bitcoin. - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - Use este formulario para la solicitud de pagos. Todos los campos son <b>opcionales</b> - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - Monto opcional a solicitar. Dejarlo vacion o en cero no solicita un monto especifico. - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - Copiar capa - - - Copy message - - - - Copy amount - copiar monto - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Domicilio - - - Amount - Monto - - - Label - Etiqueta - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Fecha - - - Label - Etiqueta - - - Message - - - - Amount - Monto - - - (no label) - (sin etiqueta) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Mandar monedas - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - Bytes: - - - Amount: - Monto: - - - Priority: - Prioridad: - - - Fee: - Cuota: - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Enviar a múltiples receptores a la vez - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Saldo: - - - Confirm the send action - Confirme la acción de enviar - - - S&end - - - - Confirm send coins - Confirme para mandar monedas - - - %1 to %2 - - - - Copy quantity - copiar cantidad - - - Copy amount - copiar monto - - - Copy fee - copiar cuota - - - Copy after fee - copiar despues de cuota - - - Copy bytes - copiar bytes - - - Copy priority - copiar prioridad - - - Copy low output - - - - Copy change - copiar cambio - - - Total Amount %1 (= %2) - Monto total %1(=%2) - - - or - o - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - El monto a pagar debe ser mayor a 0 - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - ¡La creación de transacion falló! - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - ¡La transación fue rechazada! Esto puede ocurrir si algunas de tus monedas en tu cartera han sido gastadas, al igual que si usas una cartera copiada y la monedas fueron gastadas en la copia pero no se marcaron como gastadas. - - - Warning: Invalid Bitcoin address - Advertencia: Dirección de Bitcoin invalida - - - (no label) - (sin etiqueta) - - - Warning: Unknown change address - Advertencia: Cambio de dirección desconocido - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - M&onto - - - Pay &To: - Pagar &a: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - Ingrese una etiqueta para esta dirección para agregarlo en su libreta de direcciones. - - - &Label: - &Etiqueta - - - Choose previously used address - - - - This is a normal payment. - Este es un pago normal - - - Alt+A - Alt+A - - - Paste address from clipboard - Pegar dirección del portapapeles - - - Alt+P - Alt+P - - - Remove this entry - Quitar esta entrada - - - Message: - Mensaje: - - - This is a verified payment request. - Esta es una verificación de solicituda de pago. - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - Esta es una solicitud de pago no verificada. - - - Pay To: - Pago para: - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - Apagando el nucleo de Bitcoin... - - - Do not shut down the computer until this window disappears. - No apague su computadora hasta que esta ventana desaparesca. - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Pegar dirección del portapapeles - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Ingrese una direccion Bitcoin (ejem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - nucleo Bitcoin - - - The Bitcoin Core developers - El nucleo de Bitcoin de desarrolladores - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Abrir hasta %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/No confirmado - - - %1 confirmations - %1 confirmaciones - - - Status - - - - , broadcast through %n node(s) - - - - Date - Fecha - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Monto - - - true - - - - false - - - - , has not been successfully broadcast yet - , no ha sido transmitido aun - - - Open for %n more block(s) - - - - unknown - desconocido - - - - TransactionDescDialog - - Transaction details - Detalles de la transacción - - - This pane shows a detailed description of the transaction - Este panel muestras una descripción detallada de la transacción - - - - TransactionTableModel - - Date - Fecha - - - Type - Tipo - - - Address - Domicilio - - - Amount - Monto - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Abrir hasta %1 - - - Confirmed (%1 confirmations) - Confimado (%1 confirmaciones) - - - This block was not received by any other nodes and will probably not be accepted! - Este bloque no fue recibido por ningun nodo y probablemente no fue aceptado ! - - - Generated but not accepted - Generado pero no aprovado - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Recivido con - - - Received from - - - - Sent to - Enviar a - - - Payment to yourself - Pagar a si mismo - - - Mined - Minado - - - (n/a) - (n/a) - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - Fecha y hora en que la transacción fue recibida - - - Type of transaction. - Escriba una transacción - - - Destination address of transaction. - Direccion del destinatario de la transacción - - - Amount removed from or added to balance. - Cantidad removida del saldo o agregada - - - - TransactionView - - All - Todo - - - Today - Hoy - - - This week - Esta semana - - - This month - Este mes - - - Last month - El mes pasado - - - This year - Este año - - - Range... - - - - Received with - Recivido con - - - Sent to - Enviar a - - - To yourself - Para ti mismo - - - Mined - Minado - - - Other - Otro - - - Enter address or label to search - Ingrese dirección o capa a buscar - - - Min amount - Monto minimo - - - Copy address - Copiar dirección - - - Copy label - Copiar capa - - - Copy amount - copiar monto - - - Copy transaction ID - - - - Edit label - Editar capa - - - Show transaction details - - - - Export Transaction History - Exportar el historial de transacción - - - Exporting Failed - Fallo en la exportación - - - There was an error trying to save the transaction history to %1. - Ocurrio un error intentando guardar el historial de transaciones a %1 - - - Exporting Successful - Exportacion satisfactoria - - - The transaction history was successfully saved to %1. - el historial de transaciones ha sido guardado exitosamente en 1% - - - Comma separated file (*.csv) - Arhchivo separado por comas (*.CSV) - - - Confirmed - Confirmado - - - Date - Fecha - - - Type - Tipo - - - Label - Etiqueta - - - Address - Domicilio - - - Amount - Monto - - - ID - ID - - - Range: - - - - to - Para - - - - WalletFrame - - No wallet has been loaded. - No se há cargado la cartera. - - - - WalletModel - - Send Coins - Mandar monedas - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - Ocurrio un error tratando de guardar la información de la cartera %1 - - - The wallet data was successfully saved to %1. - La información de la cartera fué guardada exitosamente a 1% - - - Backup Successful - - - - - bitcoin-core - - Usage: - Uso: - - - List commands - Lista de comandos - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - <categoria> puede ser: - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - + Balance: + Saldo: - Failed to write block - + Confirm the send action + Confirme la acción de enviar - Failed to write file info - + Confirm send coins + Confirme para mandar monedas - Failed to write to coin database - + Copy quantity + copiar cantidad - Failed to write transaction index - + Copy amount + copiar monto - Failed to write undo data - + Copy fee + copiar cuota - Fee per kB to add to transactions you send - + Copy after fee + copiar despues de cuota - Fees smaller than this are considered zero fee (for relaying) (default: - + Copy bytes + copiar bytes - Find peers using DNS lookup (default: 1 unless -connect) - + Copy priority + copiar prioridad - Force safe mode (default: 0) - + Copy change + copiar cambio - Generate coins (default: 0) - + Total Amount %1 (= %2) + Monto total %1(=%2) - How many blocks to check at startup (default: 288, 0 = all) - + or + o - If <category> is not supplied, output all debugging information. - + The amount to pay must be larger than 0. + El monto a pagar debe ser mayor a 0 - Importing... - + Transaction creation failed! + ¡La creación de transacion falló! - Incorrect or no genesis block found. Wrong datadir for network? - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. + ¡La transación fue rechazada! Esto puede ocurrir si algunas de tus monedas en tu cartera han sido gastadas, al igual que si usas una cartera copiada y la monedas fueron gastadas en la copia pero no se marcaron como gastadas. - Invalid -onion address: '%s' - + Warning: Invalid Bitcoin address + Advertencia: Dirección de Bitcoin invalida - Not enough file descriptors available. - + (no label) + (sin etiqueta) - Prepend debug output with timestamp (default: 1) - + Warning: Unknown change address + Advertencia: Cambio de dirección desconocido + + + SendCoinsEntry - RPC client options: - + A&mount: + M&onto - Rebuild block chain index from current blk000??.dat files - + Pay &To: + Pagar &a: - Select SOCKS version for -proxy (4 or 5, default: 5) - + Enter a label for this address to add it to your address book + Ingrese una etiqueta para esta dirección para agregarlo en su libreta de direcciones. - Set database cache size in megabytes (%d to %d, default: %d) - + &Label: + &Etiqueta - Set maximum block size in bytes (default: %d) - + This is a normal payment. + Este es un pago normal - Set the number of threads to service RPC calls (default: 4) - + Alt+A + Alt+A - Specify wallet file (within data directory) - + Paste address from clipboard + Pegar dirección del portapapeles - Spend unconfirmed change when sending transactions (default: 1) - + Alt+P + Alt+P - This is intended for regression testing tools and app development. - + Remove this entry + Quitar esta entrada - Usage (deprecated, use bitcoin-cli): - + Message: + Mensaje: - Verifying blocks... - + This is a verified payment request. + Esta es una verificación de solicituda de pago. - Verifying wallet... - + This is an unverified payment request. + Esta es una solicitud de pago no verificada. - Wait for RPC server to start - + Pay To: + Pago para: + + + ShutdownWindow - Wallet %s resides outside data directory %s - + Bitcoin Core is shutting down... + Apagando el nucleo de Bitcoin... - Wallet options: - Opciones de cartera: + Do not shut down the computer until this window disappears. + No apague su computadora hasta que esta ventana desaparesca. + + + SignVerifyMessageDialog - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Alt+A + Alt+A - You need to rebuild the database using -reindex to change -txindex - + Paste address from clipboard + Pegar dirección del portapapeles - Imports blocks from external blk000??.dat file - + Alt+P + Alt+P - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Ingrese una direccion Bitcoin (ejem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Bitcoin Core + nucleo Bitcoin - Output debugging information (default: 0, supplying <category> is optional) - + The Bitcoin Core developers + El nucleo de Bitcoin de desarrolladores + + + TrafficGraphWidget + + + TransactionDesc - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Open until %1 + Abrir hasta %1 - Information - + %1/unconfirmed + %1/No confirmado - Invalid amount for -minrelaytxfee=<amount>: '%s' - + %1 confirmations + %1 confirmaciones - Invalid amount for -mintxfee=<amount>: '%s' - + Date + Fecha - Limit size of signature cache to <n> entries (default: 50000) - + Transaction ID + ID - Log transaction priority and fee per kB when mining blocks (default: 0) - + Amount + Monto - Maintain a full transaction index (default: 0) - + , has not been successfully broadcast yet + , no ha sido transmitido aun - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + unknown + desconocido + + + TransactionDescDialog - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Transaction details + Detalles de la transacción - Only accept block chain matching built-in checkpoints (default: 1) - + This pane shows a detailed description of the transaction + Este panel muestras una descripción detallada de la transacción + + + TransactionTableModel - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Date + Fecha - Print block on startup, if found in block index - + Type + Tipo - Print block tree on startup (default: 0) - + Address + Domicilio - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Amount + Monto - RPC server options: - + Open until %1 + Abrir hasta %1 - Randomly drop 1 of every <n> network messages - + Confirmed (%1 confirmations) + Confimado (%1 confirmaciones) - Randomly fuzz 1 of every <n> network messages - + This block was not received by any other nodes and will probably not be accepted! + Este bloque no fue recibido por ningun nodo y probablemente no fue aceptado ! - Run a thread to flush wallet periodically (default: 1) - + Generated but not accepted + Generado pero no aprovado - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Received with + Recivido con - Send command to Bitcoin Core - + Sent to + Enviar a - Send trace/debug info to console instead of debug.log file - + Payment to yourself + Pagar a si mismo - Set minimum block size in bytes (default: 0) - + Mined + Minado - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + (n/a) + (n/a) - Show all debugging options (usage: --help -help-debug) - + Date and time that the transaction was received. + Fecha y hora en que la transacción fue recibida - Show benchmark information (default: 0) - + Type of transaction. + Escriba una transacción - Shrink debug.log file on client startup (default: 1 when no -debug) - + Destination address of transaction. + Direccion del destinatario de la transacción - Signing transaction failed - + Amount removed from or added to balance. + Cantidad removida del saldo o agregada + + + TransactionView - Specify connection timeout in milliseconds (default: 5000) - + All + Todo - Start Bitcoin Core Daemon - + Today + Hoy - System error: - + This week + Esta semana - Transaction amount too small - + This month + Este mes - Transaction amounts must be positive - + Last month + El mes pasado - Transaction too large - + This year + Este año - Use UPnP to map the listening port (default: 0) - + Received with + Recivido con - Use UPnP to map the listening port (default: 1 when listening) - + Sent to + Enviar a - Username for JSON-RPC connections - + To yourself + Para ti mismo - Warning - + Mined + Minado - Warning: This version is obsolete, upgrade required! - + Other + Otro - Zapping all transactions from wallet... - + Enter address or label to search + Ingrese dirección o capa a buscar - on startup - + Min amount + Monto minimo - version - Versión + Copy address + Copiar dirección - wallet.dat corrupt, salvage failed - + Copy label + Copiar capa - Password for JSON-RPC connections - + Copy amount + copiar monto - Allow JSON-RPC connections from specified IP address - + Edit label + Editar capa - Send commands to node running on <ip> (default: 127.0.0.1) - + Export Transaction History + Exportar el historial de transacción - Execute command when the best block changes (%s in cmd is replaced by block hash) - + Exporting Failed + Fallo en la exportación - Upgrade wallet to latest format - + There was an error trying to save the transaction history to %1. + Ocurrio un error intentando guardar el historial de transaciones a %1 - Set key pool size to <n> (default: 100) - + Exporting Successful + Exportacion satisfactoria - Rescan the block chain for missing wallet transactions - + Comma separated file (*.csv) + Arhchivo separado por comas (*.CSV) - Use OpenSSL (https) for JSON-RPC connections - + Confirmed + Confirmado - Server certificate file (default: server.cert) - + Date + Fecha - Server private key (default: server.pem) - + Type + Tipo - This help message - + Label + Etiqueta - Unable to bind to %s on this computer (bind returned error %d, %s) - + Address + Domicilio - Allow DNS lookups for -addnode, -seednode and -connect - + Amount + Monto - Loading addresses... - Cargando direcciones... + ID + ID - Error loading wallet.dat: Wallet corrupted - + to + Para + + + WalletFrame - Error loading wallet.dat: Wallet requires newer version of Bitcoin - + No wallet has been loaded. + No se há cargado la cartera. + + + WalletModel - Wallet needed to be rewritten: restart Bitcoin to complete - + Send Coins + Mandar monedas + + + WalletView - Error loading wallet.dat - + &Export + &Exportar - Invalid -proxy address: '%s' - + Export the data in the current tab to a file + Exportar la información en la tabla actual a un archivo - Unknown network specified in -onlynet: '%s' - + There was an error trying to save the wallet data to %1. + Ocurrio un error tratando de guardar la información de la cartera %1 + + + bitcoin-core - Unknown -socks proxy version requested: %i - + Usage: + Uso: - Cannot resolve -bind address: '%s' - + List commands + Lista de comandos - Cannot resolve -externalip address: '%s' - + <category> can be: + <categoria> puede ser: - Invalid amount for -paytxfee=<amount>: '%s' - + Wallet options: + Opciones de cartera: - Invalid amount - + version + Versión - Insufficient funds - + Loading addresses... + Cargando direcciones... Loading block index... Cargando indice de bloques... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... Cargando billetera... - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - Done loading Carga completa - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_es_UY.ts b/src/qt/locale/bitcoin_es_UY.ts index d94ad1c9382..bb87b0cd12d 100644 --- a/src/qt/locale/bitcoin_es_UY.ts +++ b/src/qt/locale/bitcoin_es_UY.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -42,94 +13,18 @@ This product includes software developed by the OpenSSL Project for use in the O Crear una nueva dirección - &New - - - Copy the currently selected address to the system clipboard Copia la dirección seleccionada al portapapeles del sistema - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete &Borrar - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Archivos separados por coma (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +43,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Escriba la contraseña @@ -200,30 +91,10 @@ This product includes software developed by the OpenSSL Project for use in the O Confirme el cifrado del monedero - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted Monedero cifrado - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed Fallo en el cifrado del monedero @@ -247,18 +118,10 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed Fallo en el descifrado del monedero - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... Sincronizando con la red... @@ -267,10 +130,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Vista previa - Node - - - Show general overview of wallet Mostrar descripción general del monedero @@ -283,10 +142,6 @@ This product includes software developed by the OpenSSL Project for use in the O Buscar en el historial de transacciones - E&xit - - - Quit application Salir de la aplicacion @@ -295,3066 +150,350 @@ This product includes software developed by the OpenSSL Project for use in the O Mostrar informacion sobre Bitcoin - About &Qt - - - - Show information about Qt - - - &Options... &Opciones... - &Encrypt Wallet... - + Change the passphrase used for wallet encryption + Cambie la clave utilizada para el cifrado del monedero - &Backup Wallet... - + &File + &Archivo - &Change Passphrase... - + &Settings + &Configuracion - &Sending addresses... - + &Help + &Ayuda - &Receiving addresses... - + Tabs toolbar + Barra de herramientas - Open &URI... - + [testnet] + [prueba_de_red] - - Importing blocks from disk... - + + %n active connection(s) to Bitcoin network + %n conexión activa a la red Bitcoin %n conexiones activas a la red Bitcoin - Reindexing blocks on disk... - + Up to date + A la fecha - Send coins to a Bitcoin address - + Catching up... + Ponerse al dia... - Modify configuration options for Bitcoin - + Sent transaction + Transaccion enviada - Backup wallet to another location - + Incoming transaction + Transacción entrante - Change the passphrase used for wallet encryption - Cambie la clave utilizada para el cifrado del monedero + Wallet is <b>encrypted</b> and currently <b>unlocked</b> + El Monedero esta <b>cifrado</b> y actualmente <b>desbloqueado</b> - &Debug window - + Wallet is <b>encrypted</b> and currently <b>locked</b> + El Monedero esta <b>cifrado</b> y actualmente <b>bloqueado</b> + + + ClientModel + + + CoinControlDialog - Open debugging and diagnostic console - + Address + Direccion - &Verify message... - + Date + Fecha - Bitcoin - + (no label) + (Sin etiqueta) + + + EditAddressDialog - Wallet - + Edit Address + Editar dirección - &Send - + &Label + &Etiqueta - &Receive - + &Address + &Direccion - &Show / Hide - + New receiving address + Nueva dirección de recepción - Show or hide the main Window - + New sending address + Nueva dirección de envío - Encrypt the private keys that belong to your wallet - + Edit receiving address + Editar dirección de recepcion - Sign messages with your Bitcoin addresses to prove you own them - + Edit sending address + Editar dirección de envío - Verify messages to ensure they were signed with specified Bitcoin addresses - + Could not unlock wallet. + No se puede abrir el monedero. - &File - &Archivo + New key generation failed. + Fallo en la nueva clave generada. + + + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog - &Settings - &Configuracion + Options + Opciones + + + OverviewPage - &Help - &Ayuda + Form + Formulario - Tabs toolbar - Barra de herramientas + <b>Recent transactions</b> + <b>Transacciones recientes</b> + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog - [testnet] - [prueba_de_red] + &Label: + &Etiqueta: + + + ReceiveRequestDialog - Bitcoin Core - + Address + Direccion - Request payments (generates QR codes and bitcoin: URIs) - + Label + Etiqueta + + + RecentRequestsTableModel - &About Bitcoin Core - + Date + Fecha - Show the list of used sending addresses and labels - + Label + Etiqueta - Show the list of used receiving addresses and labels - + (no label) + (Sin etiqueta) + + + SendCoinsDialog - Open a bitcoin: URI or payment request - + Send Coins + Enviar monedas - &Command-line options - + Send to multiple recipients at once + Enviar a varios destinatarios a la vez - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Balance: + Balance: - Bitcoin client - - - - %n active connection(s) to Bitcoin network - %n conexión activa a la red Bitcoin %n conexiones activas a la red Bitcoin + Confirm the send action + Confirmar el envío - No block source available... - + Confirm send coins + Confirmar el envio de monedas - Processed %1 of %2 (estimated) blocks of transaction history. - + The amount to pay must be larger than 0. + La cantidad a pagar debe ser mayor que 0. - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + (no label) + (Sin etiqueta) + + + SendCoinsEntry - %1 and %2 - - - - %n year(s) - + A&mount: + A&Monto: - %1 behind - + Pay &To: + Pagar &A: - Last received block was generated %1 ago. - + Enter a label for this address to add it to your address book + Introduzca una etiqueta para esta dirección para añadirla a su libreta de direcciones - Transactions after this will not yet be visible. - + &Label: + &Etiqueta: - Error - + Alt+A + Alt+A - Warning - + Paste address from clipboard + Pegar la dirección desde el portapapeles - Information - + Alt+P + Alt+P + + + ShutdownWindow + + + SignVerifyMessageDialog - Up to date - A la fecha + Alt+A + Alt+A - Catching up... - Ponerse al dia... + Paste address from clipboard + Pegar la dirección desde el portapapeles - Sent transaction - Transaccion enviada + Alt+P + Alt+P + + + SplashScreen - Incoming transaction - Transacción entrante - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - El Monedero esta <b>cifrado</b> y actualmente <b>desbloqueado</b> - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - El Monedero esta <b>cifrado</b> y actualmente <b>bloqueado</b> - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + [testnet] + [prueba_de_red] - ClientModel - - Network Alert - - - + TrafficGraphWidget + - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - + TransactionDesc - Address - Direccion + Open until %1 + Abrir hasta %1 Date Fecha - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (Sin etiqueta) - - - change from %1 (%2) - - - - (change) - + unknown + desconocido - EditAddressDialog - - Edit Address - Editar dirección - - - &Label - &Etiqueta - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Direccion - - - New receiving address - Nueva dirección de recepción - - - New sending address - Nueva dirección de envío - - - Edit receiving address - Editar dirección de recepcion - - - Edit sending address - Editar dirección de envío - - - The entered address "%1" is already in the address book. - La dirección introducida "% 1" ya está en la libreta de direcciones. - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - No se puede abrir el monedero. - - - New key generation failed. - Fallo en la nueva clave generada. - - + TransactionDescDialog + - FreespaceChecker - - A new data directory will be created. - - - - name - - + TransactionTableModel - Directory already exists. Add %1 if you intend to create a new directory here. - + Date + Fecha - Path already exists, and is not a directory. - + Address + Direccion - Cannot create data directory here. - + Open until %1 + Abrir hasta %1 - + - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - + TransactionView - Start minimized - + Comma separated file (*.csv) + Archivos separados por coma (*.csv) - Set SSL root certificates for payment request (default: -system-) - + Date + Fecha - Show splash screen on startup (default: 1) - + Label + Etiqueta - Choose data directory on startup (default: 0) - + Address + Direccion - + - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - + WalletFrame + + + WalletModel - (of %1GB needed) - + Send Coins + Enviar monedas - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - Opciones - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Formulario - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Transacciones recientes</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + WalletView + - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Etiqueta: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Direccion - - - Amount - - - - Label - Etiqueta - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Fecha - - - Label - Etiqueta - - - Message - - - - Amount - - - - (no label) - (Sin etiqueta) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Enviar monedas - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Enviar a varios destinatarios a la vez - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Balance: - - - Confirm the send action - Confirmar el envío - - - S&end - - - - Confirm send coins - Confirmar el envio de monedas - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - La cantidad a pagar debe ser mayor que 0. - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (Sin etiqueta) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - A&Monto: - - - Pay &To: - Pagar &A: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - Introduzca una etiqueta para esta dirección para añadirla a su libreta de direcciones - - - &Label: - &Etiqueta: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - Pegar la dirección desde el portapapeles - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Pegar la dirección desde el portapapeles - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - [prueba_de_red] - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Abrir hasta %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - Fecha - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - desconocido - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - Fecha - - - Type - - - - Address - Direccion - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Abrir hasta %1 - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Archivos separados por coma (*.csv) - - - Confirmed - - - - Date - Fecha - - - Type - - - - Label - Etiqueta - - - Address - Direccion - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Enviar monedas - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_et.ts b/src/qt/locale/bitcoin_et.ts index 8affc8a5d2e..c264005a6b6 100644 --- a/src/qt/locale/bitcoin_et.ts +++ b/src/qt/locale/bitcoin_et.ts @@ -1,13 +1,9 @@ - + AboutDialog About Bitcoin Core - - - - <b>Bitcoin Core</b> version - + Kirjeldus Bitcoini Tuumast @@ -21,7 +17,7 @@ See on eksperimentaalne tarkvara.⏎ ⏎ Levitatud MIT/X11 tarkvara litsentsi all, vaata kaasasolevat faili COPYING või http://www.opensource.org/licenses/mit-license.php⏎ ⏎ -Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenSSL Toolkitis (http://www.openssl.org/) ja Eric Young'i poolt loodud krüptograafilist tarkvara (eay@cryptsoft.com) ning Thomas Bernard'i loodud UPnP tarkvara. +Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenSSL Toolkitis (http://www.openssl.org/) ja Eric Young'i poolt loodud krüptograafilist tarkvara (eay@cryptsoft.com) ning Thomas Bernard'i loodud UPnP tarkvara. Copyright @@ -29,13 +25,9 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS The Bitcoin Core developers - - - - (%1-bit) - + Bitcoini Tuuma arendajad - + AddressBookPage @@ -48,7 +40,7 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS &New - + &Uus Copy the currently selected address to the system clipboard @@ -56,11 +48,11 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS &Copy - + &Kopeeri C&lose - + S&ulge &Copy Address @@ -72,45 +64,25 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS Export the data in the current tab to a file - + Ekspordi kuvatava vahelehe sisu faili &Export - + &Ekspordi &Delete &Kustuta - Choose the address to send coins to - - - - Choose the address to receive coins with - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - + V&ali These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. Need on sinu Bitcoini aadressid maksete saatmiseks. Müntide saatmisel kontrolli alati summat ning saaja aadressi. - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label &Märgise kopeerimine @@ -119,22 +91,14 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS &Muuda - Export Address List - - - Comma separated file (*.csv) Komaeraldatud fail (*.csv) Exporting Failed - + Eksportimine Ebaõnnestus - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -272,10 +236,6 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS &Ülevaade - Node - - - Show general overview of wallet Kuva rahakoti üld-ülevaade @@ -324,16 +284,8 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS &Salafraasi muutmine - &Sending addresses... - - - - &Receiving addresses... - - - Open &URI... - + Ava &URI... Importing blocks from disk... @@ -432,34 +384,6 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS Bitcoini tuumik - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoini klient @@ -468,10 +392,6 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS %n aktiivne ühendus Bitcoini võrku%n aktiivset ühendust Bitcoini võrku - No block source available... - - - Processed %1 of %2 (estimated) blocks of transaction history. Protsessitud %1 (arvutuslikult) tehingu ajaloo blokki %2-st. @@ -493,11 +413,7 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS %1 and %2 - - - - %n year(s) - + %1 ja %2 %1 behind @@ -573,52 +489,16 @@ Aadress: %4⏎ CoinControlDialog - Coin Control Address Selection - - - Quantity: - - - - Bytes: - + Kogus: Amount: Summa: - Priority: - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - + Tasu: Amount @@ -633,18 +513,10 @@ Aadress: %4⏎ Kuupäev - Confirmations - - - Confirmed Kinnitatud - Priority - - - Copy address Aadressi kopeerimine @@ -661,146 +533,54 @@ Aadress: %4⏎ Kopeeri tehingu ID - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - + Kopeeri tasu highest - + kõrgeim higher - + kõrgem high - - - - medium-high - + kõrge medium - - - - low-medium - + keskmine low - + madal lower - + madalam lowest - + madalaim (%1 locked) - - - - none - - - - Dust - + (%1 lukustatud) yes - + jah no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + ei (no label) (silti pole) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -812,14 +592,6 @@ Aadress: %4⏎ &Märgis - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Aadress @@ -840,12 +612,12 @@ Aadress: %4⏎ Väljaminevate aadresside muutmine - The entered address "%1" is already in the address book. - Selline aadress on juba olemas: "%1" + The entered address "%1" is already in the address book. + Selline aadress on juba olemas: "%1" - The entered address "%1" is not a valid Bitcoin address. - Sisestatud aadress "%1" ei ole Bitcoinis kehtiv. + The entered address "%1" is not a valid Bitcoin address. + Sisestatud aadress "%1" ei ole Bitcoinis kehtiv. Could not unlock wallet. @@ -859,33 +631,13 @@ Aadress: %4⏎ FreespaceChecker - A new data directory will be created. - - - name - + nimi - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Bitcoini tuumik @@ -906,96 +658,44 @@ Aadress: %4⏎ UI valikud - Set language, for example "de_DE" (default: system locale) - Keele valik, nt "ee_ET" (vaikeväärtus: system locale) + Set language, for example "de_DE" (default: system locale) + Keele valik, nt "ee_ET" (vaikeväärtus: system locale) Start minimized Käivitu tegumiribale - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Käivitamisel teabeakna kuvamine (vaikeväärtus: 1) - - Choose data directory on startup (default: 0) - - - + Intro Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - + Teretulemast Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error - - - - GB of free space available - - - - (of %1GB needed) - + Tõrge - + OpenURIDialog Open URI - - - - Open payment request from URI or file - + Ava URI URI: - + URI: - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1003,14 +703,6 @@ Aadress: %4⏎ Valikud - &Main - %Peamine - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee Tasu tehingu &fee @@ -1023,32 +715,8 @@ Aadress: %4⏎ &Start Bitcoin sisselogimisel - Size of &database cache - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - + MB Reset all client options to default. @@ -1063,28 +731,12 @@ Aadress: %4⏎ &Võrk - (0 = auto, <0 = leave that many cores free) - - - W&allet - + R&ahakott Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - + Ekspert Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1128,7 +780,7 @@ Aadress: %4⏎ Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Sulgemise asemel minimeeri aken. Selle valiku tegemisel suletakse programm Menüüst "Välju" käsuga. + Sulgemise asemel minimeeri aken. Selle valiku tegemisel suletakse programm Menüüst "Välju" käsuga. M&inimize on close @@ -1163,10 +815,6 @@ Aadress: %4⏎ Tehingute loetelu &Display aadress - Whether to show coin control features or not. - - - &OK &OK @@ -1179,26 +827,10 @@ Aadress: %4⏎ vaikeväärtus - none - - - Confirm options reset Kinnita valikute algseadistamine - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - The supplied proxy address is invalid. Sisestatud kehtetu proxy aadress. @@ -1218,36 +850,12 @@ Aadress: %4⏎ Rahakott - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - Immature: Ebaküps: Mined balance that has not yet matured - Mitte aegunud mine'itud jääk - - - Total: - - - - Your current total balance - + Mitte aegunud mine'itud jääk <b>Recent transactions</b> @@ -1269,66 +877,10 @@ Aadress: %4⏎ URI ei suudeta parsida. Põhjuseks võib olla kehtetu Bitcoini aadress või vigased URI parameetrid. - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - Cannot start bitcoin: click-to-pay handler Bitcoin ei käivitu: vajuta-maksa toiming - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1336,22 +888,6 @@ Aadress: %4⏎ Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Sisesta Bitcoini aadress (nt: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1359,22 +895,10 @@ Aadress: %4⏎ QRImageWidget - &Save Image... - - - - &Copy Image - - - Save QR Code Salvesta QR kood - - PNG Image (*.png) - - - + RPCConsole @@ -1394,12 +918,8 @@ Aadress: %4⏎ &Informatsioon - Debug window - - - General - + Üldine Using OpenSSL version @@ -1415,7 +935,7 @@ Aadress: %4⏎ Name - + Nimi Number of connections @@ -1446,26 +966,6 @@ Aadress: %4⏎ &Konsool - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - Build date Valmistusaeg @@ -1495,38 +995,26 @@ Aadress: %4⏎ %1 B - + %1 B %1 KB - + %1 B %1 MB - + %1 MB %1 GB - - - - %1 m - + %1 GB - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog &Amount: - + &Summa: &Label: @@ -1534,63 +1022,15 @@ Aadress: %4⏎ &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - + &Sõnum: Show - - - - Remove the selected entries from the list - + Näita Remove - + Eemalda Copy label @@ -1598,7 +1038,7 @@ Aadress: %4⏎ Copy message - + Kopeeri sõnum Copy amount @@ -1608,34 +1048,6 @@ Aadress: %4⏎ ReceiveRequestDialog - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - Address Aadress @@ -1657,7 +1069,7 @@ Aadress: %4⏎ Error encoding URI into QR Code. - Tõrge URI'st QR koodi loomisel + Tõrge URI'st QR koodi loomisel @@ -1671,87 +1083,43 @@ Aadress: %4⏎ Silt - Message - Sõnum - - - Amount - Kogus - - - (no label) - (silti pole) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Müntide saatmine - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - + Message + Sõnum - Amount: - Summa: + Amount + Kogus - Priority: - + (no label) + (silti pole) - Fee: - + (no message) + (sõnum puudub) - Low Output: - + (no amount) + (summa puudub) + + + SendCoinsDialog - After Fee: - + Send Coins + Müntide saatmine - Change: - + Quantity: + Kogus: - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Amount: + Summa: - Custom change address - + Fee: + Tasu: Send to multiple recipients at once @@ -1762,10 +1130,6 @@ Aadress: %4⏎ Lisa &Saaja - Clear all fields of the form. - - - Clear &All Puhasta &Kõik @@ -1786,48 +1150,16 @@ Aadress: %4⏎ Müntide saatmise kinnitamine - %1 to %2 - - - - Copy quantity - - - Copy amount Kopeeri summa Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - + Kopeeri tasu or - + või The recipient address is not valid, please recheck. @@ -1850,42 +1182,10 @@ Aadress: %4⏎ Ühe saatmisega topelt-adressaati olla ei tohi. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (silti pole) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1909,14 +1209,6 @@ Aadress: %4⏎ &Märgis - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1929,49 +1221,13 @@ Aadress: %4⏎ Alt+P - Remove this entry - - - Message: Sõnum: - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -1991,10 +1247,6 @@ Aadress: %4⏎ Sõnumi signeerimise aadress (nt: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2063,8 +1315,8 @@ Aadress: %4⏎ Sisesta Bitcoini aadress (nt: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Signatuuri genereerimiseks vajuta "Allkirjasta Sõnum" + Click "Sign Message" to generate signature + Signatuuri genereerimiseks vajuta "Allkirjasta Sõnum" The entered address is invalid. @@ -2123,18 +1375,18 @@ Aadress: %4⏎ The Bitcoin Core developers - + Bitcoini Tuuma arendajad [testnet] - + [testnet] TrafficGraphWidget KB/s - + KB/s @@ -2144,14 +1396,6 @@ Aadress: %4⏎ Avatud kuni %1 - conflicted - - - - %1/offline - %/1offline'is - - %1/unconfirmed %1/kinnitamata @@ -2165,7 +1409,7 @@ Aadress: %4⏎ , broadcast through %n node(s) - , levita läbi %n node'i, levita läbi %n node'i + , levita läbi %n node'i, levita läbi %n node'i Date @@ -2232,16 +1476,8 @@ Aadress: %4⏎ Tehingu ID - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information - Debug'imise info + Debug'imise info Transaction @@ -2305,10 +1541,6 @@ Aadress: %4⏎ Amount Kogus - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Avaneb %n bloki pärastAvaneb %n bloki pärast @@ -2330,22 +1562,6 @@ Aadress: %4⏎ Loodud, kuid aktsepteerimata - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Saadud koos @@ -2363,7 +1579,7 @@ Aadress: %4⏎ Mined - Mine'itud + Mine'itud (n/a) @@ -2434,7 +1650,7 @@ Aadress: %4⏎ Mined - Mine'itud + Mine'itud Other @@ -2473,24 +1689,8 @@ Aadress: %4⏎ Kuva tehingu detailid - Export Transaction History - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + Eksportimine Ebaõnnestus Comma separated file (*.csv) @@ -2535,27 +1735,23 @@ Aadress: %4⏎ WalletFrame - - No wallet has been loaded. - - - + WalletModel Send Coins - + Müntide saatmine WalletView &Export - + &Ekspordi Export the data in the current tab to a file - + Ekspordi kuvatava vahelehe sisu faili Backup Wallet @@ -2570,14 +1766,6 @@ Aadress: %4⏎ Varundamine nurjus - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - Backup Successful Varundamine õnnestus @@ -2622,7 +1810,7 @@ Aadress: %4⏎ Connect to a node to retrieve peer addresses, and disconnect - Peeri aadressi saamiseks ühendu korraks node'iga + Peeri aadressi saamiseks ühendu korraks node'iga Specify your own public address @@ -2638,7 +1826,7 @@ Aadress: %4⏎ An error occurred while setting up the RPC port %u for listening on IPv4: %s - RPC pordi %u kuulamiseks seadistamisel ilmnes viga IPv4'l: %s + RPC pordi %u kuulamiseks seadistamisel ilmnes viga IPv4'l: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) @@ -2649,10 +1837,6 @@ Aadress: %4⏎ Luba käsurea ning JSON-RPC käsklusi - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Tööta taustal ning aktsepteeri käsklusi @@ -2674,7 +1858,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, sul tuleb rpcpassword määrata seadete failis: %s @@ -2685,38 +1869,18 @@ rpcpassword=%s Kasutajanimi ning parool EI TOHI kattuda. Kui faili ei leita, loo see ainult-omaniku-loetavas failiõigustes . Soovitatav on seadistada tõrgete puhul teavitus; -nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com +nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - RPC pordi %u kuulamiseks seadistamisel ilmnes viga IPv6'l, lülitumine tagasi IPv4'le : %s + RPC pordi %u kuulamiseks seadistamisel ilmnes viga IPv6'l, lülitumine tagasi IPv4'le : %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 Määratud aadressiga sidumine ning sellelt kuulamine. IPv6 jaoks kasuta vormingut [host]:port - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Tõrge: Tehingust keelduti! Põhjuseks võib olla juba kulutatud mündid, nt kui wallet.dat fail koopias kulutatid mündid, kuid ei märgitud neid siin vastavalt. @@ -2726,133 +1890,49 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Käivita käsklus, kui rahakoti tehing muutub (%s cmd's muudetakse TxID'ks) - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Käivita käsklus, kui rahakoti tehing muutub (%s cmd's muudetakse TxID'ks) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - See on test-versioon - kasutamine omal riisikol - ära kasuta mining'uks ega kaupmeeste programmides - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + See on test-versioon - kasutamine omal riisikol - ära kasuta mining'uks ega kaupmeeste programmides Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Hoiatus: -paytxfee on seatud väga kõrgeks! See on sinu poolt makstav tehingu lisatasu. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Hoiatus: Palun kontrolli oma arvuti kuupäeva/kellaaega! Kui arvuti kell on vale, siis Bitcoin ei tööta korralikult - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Hoiatus: ilmnes tõrge wallet.dat faili lugemisel! Võtmed on terved, kuid tehingu andmed või aadressiraamatu kirjed võivad olla kadunud või vigased. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Hoiatus: toimus wallet.dat faili andmete päästmine! Originaal wallet.dat nimetati kaustas %s ümber wallet.{ajatempel}.bak'iks, jäägi või tehingute ebakõlade puhul tuleks teha backup'ist taastamine. - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - + Hoiatus: toimus wallet.dat faili andmete päästmine! Originaal wallet.dat nimetati kaustas %s ümber wallet.{ajatempel}.bak'iks, jäägi või tehingute ebakõlade puhul tuleks teha backup'ist taastamine. Attempt to recover private keys from a corrupt wallet.dat Püüa vigasest wallet.dat failist taastada turvavõtmed - Bitcoin Core Daemon - - - Block creation options: Blokeeri loomise valikud: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) - Ühendu ainult määratud node'i(de)ga - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - + Ühendu ainult määratud node'i(de)ga Corrupted block database detected Tuvastati vigane bloki andmebaas - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Leia oma IP aadress (vaikeväärtus: 1, kui kuulatakse ning puudub -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Kas soovid bloki andmebaasi taastada? @@ -2929,94 +2009,22 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Tagasivõtmise andmete kirjutamine ebaõnnestus - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) - Otsi DNS'i lookup'i kastavaid peere (vaikeväärtus: 1, kui mitte -connect) - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - + Otsi DNS'i lookup'i kastavaid peere (vaikeväärtus: 1, kui mitte -connect) How many blocks to check at startup (default: 288, 0 = all) Käivitamisel kontrollitavate blokkide arv (vaikeväärtus: 288, 0=kõik) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Taasta bloki jada indeks blk000??.dat failist - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - Set the number of threads to service RPC calls (default: 4) Määra RPC kõnede haldurite arv (vaikeväärtus: 4) - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Kontrollin blokke... @@ -3025,66 +2033,18 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Kontrollin rahakotti... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - + Rahakoti valikud: Imports blocks from external blk000??.dat file Impordi blokid välisest blk000??.dat failist - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informatsioon - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - Maintain a full transaction index (default: 0) Säilita kogu tehingu indeks (vaikeväärtus: 0) @@ -3102,45 +2062,17 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Ühenda ainult node'idega <net> võrgus (IPv4, IPv6 või Tor) - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Ühenda ainult node'idega <net> võrgus (IPv4, IPv6 või Tor) RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + RPC serveri valikud: SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL valikud: (vaata Bitcoini Wikist või SSL sätete juhendist) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Saada jälitus/debug, debug.log faili asemel, konsooli @@ -3149,48 +2081,28 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Sea minimaalne bloki suurus baitides (vaikeväärtus: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Kahanda programmi käivitamisel debug.log faili (vaikeväärtus: 1, kui ei ole -debug) Signing transaction failed - + Tehingu allkirjastamine ebaõnnestus Specify connection timeout in milliseconds (default: 5000) Sea ühenduse timeout millisekundites (vaikeväärtus: 5000) - Start Bitcoin Core Daemon - - - System error: Süsteemi tõrge: Transaction amount too small - - - - Transaction amounts must be positive - + Tehingu summa liiga väikene Transaction too large - + Tehing liiga suur Use UPnP to map the listening port (default: 0) @@ -3213,12 +2125,8 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Hoiatus: versioon on aegunud, uuendus on nõutav! - Zapping all transactions from wallet... - - - on startup - + käivitamisel version @@ -3238,11 +2146,11 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Send commands to node running on <ip> (default: 127.0.0.1) - Saada käsklusi node'ile IP'ga <ip> (vaikeväärtus: 127.0.0.1) + Saada käsklusi node'ile IP'ga <ip> (vaikeväärtus: 127.0.0.1) Execute command when the best block changes (%s in cmd is replaced by block hash) - Käivita käsklus, kui parim plokk muutub (käskluse %s asendatakse ploki hash'iga) + Käivita käsklus, kui parim plokk muutub (käskluse %s asendatakse ploki hash'iga) Upgrade wallet to latest format @@ -3258,7 +2166,7 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Use OpenSSL (https) for JSON-RPC connections - Kasuta JSON-RPC ühenduste jaoks OpenSSL'i (https) + Kasuta JSON-RPC ühenduste jaoks OpenSSL'i (https) Server certificate file (default: server.cert) @@ -3278,7 +2186,7 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Allow DNS lookups for -addnode, -seednode and -connect - -addnode, -seednode ja -connect tohivad kasutada DNS lookup'i + -addnode, -seednode ja -connect tohivad kasutada DNS lookup'i Loading addresses... @@ -3301,28 +2209,28 @@ nt: alertnotify=echo %%s | email -s "Bitcoin Alert" admin@foo.com Viga wallet.dat käivitamisel - Invalid -proxy address: '%s' - Vigane -proxi aadress: '%s' + Invalid -proxy address: '%s' + Vigane -proxi aadress: '%s' - Unknown network specified in -onlynet: '%s' - Kirjeldatud tundmatu võrgustik -onlynet'is: '%s' + Unknown network specified in -onlynet: '%s' + Kirjeldatud tundmatu võrgustik -onlynet'is: '%s' Unknown -socks proxy version requested: %i Küsitud tundmatu -socks proxi versioon: %i - Cannot resolve -bind address: '%s' - Tundmatu -bind aadress: '%s' + Cannot resolve -bind address: '%s' + Tundmatu -bind aadress: '%s' - Cannot resolve -externalip address: '%s' - Tundmatu -externalip aadress: '%s' + Cannot resolve -externalip address: '%s' + Tundmatu -externalip aadress: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - -paytxfee=<amount> jaoks vigane kogus: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + -paytxfee=<amount> jaoks vigane kogus: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_eu_ES.ts b/src/qt/locale/bitcoin_eu_ES.ts index afa4d6c5402..4f9f5393d6c 100644 --- a/src/qt/locale/bitcoin_eu_ES.ts +++ b/src/qt/locale/bitcoin_eu_ES.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -42,94 +13,18 @@ This product includes software developed by the OpenSSL Project for use in the O Sortu helbide berria - &New - - - Copy the currently selected address to the system clipboard Kopiatu hautatutako helbidea sistemaren arbelera - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete &Ezabatu - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Komaz bereizitako artxiboa (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +43,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Sartu pasahitza @@ -200,30 +91,10 @@ This product includes software developed by the OpenSSL Project for use in the O Berretsi zorroaren enkriptazioa - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted Zorroa enkriptatuta - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed Zorroaren enkriptazioak huts egin du @@ -247,18 +118,10 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed Zorroaren desenkriptazioak huts egin du - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... Sarearekin sinkronizatzen... @@ -267,10 +130,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Gainbegiratu - Node - - - Show general overview of wallet Ikusi zorroaren begirada orokorra @@ -307,102 +166,10 @@ This product includes software developed by the OpenSSL Project for use in the O &Aukerak... - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - Change the passphrase used for wallet encryption Aldatu zorroa enkriptatzeko erabilitako pasahitza - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File &Artxiboa @@ -422,103 +189,11 @@ This product includes software developed by the OpenSSL Project for use in the O [testnet] [testnet] - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - %n active connection(s) to Bitcoin network Konexio aktibo %n Bitcoin-en sarera%n konexio aktibo Bitcoin-en sarera - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - Up to date Egunean @@ -535,14 +210,6 @@ This product includes software developed by the OpenSSL Project for use in the O Sarrerako transakzioa - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> Zorroa <b>enkriptatuta</b> eta <b>desblokeatuta</b> dago une honetan @@ -550,69 +217,17 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> Zorroa <b>enkriptatuta</b> eta <b>blokeatuta</b> dago une honetan - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: Kopurua - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Kopurua @@ -625,18 +240,6 @@ Address: %4 Data - Confirmations - - - - Confirmed - - - - Priority - - - Copy address Kopiatu helbidea @@ -645,2716 +248,500 @@ Address: %4 Kopiatu etiketa - Copy amount - + (no label) + (etiketarik ez) + + + EditAddressDialog - Copy transaction ID - + Edit Address + Editatu helbidea - Lock unspent - + &Label + &Etiketa - Unlock unspent - + &Address + &Helbidea - Copy quantity - + New receiving address + Jasotzeko helbide berria - Copy fee - + New sending address + Bidaltzeko helbide berria - Copy after fee - + Edit receiving address + Editatu jasotzeko helbidea - Copy bytes - + Edit sending address + Editatu bidaltzeko helbidea - Copy priority - + The entered address "%1" is already in the address book. + Sartu berri den helbidea, "%1", helbide-liburuan dago jadanik. - Copy low output - + Could not unlock wallet. + Ezin desblokeatu zorroa. - Copy change - + New key generation failed. + Gako berriaren sorrerak huts egin du. + + + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog - highest - + Options + Aukerak + + + OverviewPage - higher - + Form + Inprimakia - high - + <b>Recent transactions</b> + <b>Azken transakzioak</b> + + + PaymentServer + + + QObject - medium-high - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Sartu Bitocin helbide bat (adb.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog - medium - + &Label: + &Etiketa: - low-medium - - - - low - - - - lower - - - - lowest - + Copy label + Kopiatu etiketa + + + ReceiveRequestDialog - (%1 locked) - + Address + Helbidea - none - + Amount + Kopurua - Dust - + Label + Etiketa + + + RecentRequestsTableModel - yes - + Date + Data - no - + Label + Etiketa - This label turns red, if the transaction size is greater than 1000 bytes. - + Amount + Kopurua - This means a fee of at least %1 per kB is required. - + (no label) + (etiketarik ez) + + + SendCoinsDialog - Can vary +/- 1 byte per input. - + Send Coins + Bidali txanponak - Transactions with higher priority are more likely to get included into a block. - + Amount: + Kopurua - This label turns red, if the priority is smaller than "medium". - + Send to multiple recipients at once + Bidali hainbat jasotzaileri batera - This label turns red, if any recipient receives an amount smaller than %1. - + Balance: + Saldoa: - This means a fee of at least %1 is required. - + Confirm the send action + Berretsi bidaltzeko ekintza - Amounts below 0.546 times the minimum relay fee are shown as dust. - + Confirm send coins + Berretsi txanponak bidaltzea - This label turns red, if the change is smaller than %1. - + The amount to pay must be larger than 0. + Ordaintzeko kopurua 0 baino handiagoa izan behar du. (no label) (etiketarik ez) - - change from %1 (%2) - - - - (change) - - - + - EditAddressDialog - - Edit Address - Editatu helbidea - - - &Label - &Etiketa - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Helbidea - + SendCoinsEntry - New receiving address - Jasotzeko helbide berria + A&mount: + K&opurua: - New sending address - Bidaltzeko helbide berria + Pay &To: + Ordaindu &honi: - Edit receiving address - Editatu jasotzeko helbidea + Enter a label for this address to add it to your address book + Sartu etiketa bat helbide honetarako, eta gehitu zure helbide-liburuan - Edit sending address - Editatu bidaltzeko helbidea + &Label: + &Etiketa: - The entered address "%1" is already in the address book. - Sartu berri den helbidea, "%1", helbide-liburuan dago jadanik. + Alt+A + Alt+A - The entered address "%1" is not a valid Bitcoin address. - + Paste address from clipboard + Itsatsi helbidea arbeletik - Could not unlock wallet. - Ezin desblokeatu zorroa. + Alt+P + Alt+P - New key generation failed. - Gako berriaren sorrerak huts egin du. + Message: + Mezua - + - FreespaceChecker + ShutdownWindow + + + SignVerifyMessageDialog - A new data directory will be created. - + Alt+A + Alt+A - name - + Paste address from clipboard + Itsatsi helbidea arbeletik - Directory already exists. Add %1 if you intend to create a new directory here. - + Alt+P + Alt+P - Path already exists, and is not a directory. - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Sartu Bitocin helbide bat (adb.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Cannot create data directory here. - + [testnet] + [testnet] - HelpMessageDialog + TrafficGraphWidget + + + TransactionDesc - Bitcoin Core - Command-line options - + Open until %1 + Zabalik %1 arte - Bitcoin Core - + %1/unconfirmed + %1/konfirmatu gabe - version - + %1 confirmations + %1 konfirmazioak - Usage: - + Date + Data - command-line options - + Amount + Kopurua - UI options - + , has not been successfully broadcast yet + , ez da arrakastaz emititu oraindik - Set language, for example "de_DE" (default: system locale) - + unknown + ezezaguna + + + TransactionDescDialog - Start minimized - + Transaction details + Transakzioaren xehetasunak - Set SSL root certificates for payment request (default: -system-) - + This pane shows a detailed description of the transaction + Panel honek transakzioaren deskribapen xehea erakusten du + + + TransactionTableModel - Show splash screen on startup (default: 1) - + Date + Data - Choose data directory on startup (default: 0) - + Type + Mota - - - Intro - Welcome - + Address + Helbidea - Welcome to Bitcoin Core. - + Amount + Kopurua - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Open until %1 + Zabalik %1 arte - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Confirmed (%1 confirmations) + Konfirmatuta (%1 konfirmazio) - Use the default data directory - + This block was not received by any other nodes and will probably not be accepted! + Bloke hau ez du beste inongo nodorik jaso, eta seguruenik ez da onartuko! - Use a custom data directory: - + Generated but not accepted + Sortua, baina ez onartua - Bitcoin - + Received with + Jasoa honekin: - Error: Specified data directory "%1" can not be created. - + Sent to + Honi bidalia: - Error - + Payment to yourself + Ordainketa zeure buruari - GB of free space available - + Mined + Bildua - (of %1GB needed) - + (n/a) + (n/a) - - - OpenURIDialog - Open URI - + Transaction status. Hover over this field to show number of confirmations. + Transakzioaren egoera. Pasatu sagua gainetik konfirmazio kopurua ikusteko. - Open payment request from URI or file - + Date and time that the transaction was received. + Transakzioa jasotako data eta ordua. - URI: - + Type of transaction. + Transakzio mota. - Select payment request file - + Destination address of transaction. + Transakzioaren xede-helbidea. - Select payment request file to open - + Amount removed from or added to balance. + Saldoan kendu edo gehitutako kopurua. - OptionsDialog - - Options - Aukerak - + TransactionView - &Main - + All + Denak - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Today + Gaur - Pay transaction &fee - + This week + Aste honetan - Automatically start Bitcoin after logging in to the system. - + This month + Hil honetan - &Start Bitcoin on system login - + Last month + Azken hilean - Size of &database cache - + This year + Aurten - MB - + Range... + Muga... - Number of script &verification threads - + Received with + Jasota honekin: - Connect to the Bitcoin network through a SOCKS proxy. - + Sent to + Hona bidalia: - &Connect through SOCKS proxy (default proxy): - + To yourself + Zeure buruari - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Mined + Bildua - Active command-line options that override above options: - + Other + Beste - Reset all client options to default. - + Enter address or label to search + Sartu bilatzeko helbide edo etiketa - &Reset Options - + Min amount + Kopuru minimoa - &Network - + Copy address + Kopiatu helbidea - (0 = auto, <0 = leave that many cores free) - + Copy label + Kopiatu etiketa - W&allet - + Comma separated file (*.csv) + Komaz bereizitako artxiboa (*.csv) - Expert - + Date + Data - Enable coin &control features - + Type + Mota - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Label + Etiketa - &Spend unconfirmed change - + Address + Helbidea - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Amount + Kopurua + + + WalletFrame + + + WalletModel - Map port using &UPnP - + Send Coins + Bidali txanponak + + + WalletView + + + bitcoin-core - Proxy &IP: - + List commands + Komandoen lista - &Port: - + Get help for a command + Laguntza komando batean - Port of the proxy (e.g. 9050) - + Options: + Aukerak - SOCKS &Version: - + Specify configuration file (default: bitcoin.conf) + Ezarpen fitxategia aukeratu (berezkoa: bitcoin.conf) - SOCKS version of the proxy (e.g. 5) - + Specify pid file (default: bitcoind.pid) + pid fitxategia aukeratu (berezkoa: bitcoind.pid) - &Window - + This help message + Laguntza mezu hau - Show only a tray icon after minimizing the window. - + Rescanning... + Birbilatzen... - &Minimize to the tray instead of the taskbar - + Done loading + Zamaketa amaitua - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Inprimakia - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Azken transakzioak</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Sartu Bitocin helbide bat (adb.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Etiketa: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - Kopiatu etiketa - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Helbidea - - - Amount - Kopurua - - - Label - Etiketa - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Data - - - Label - Etiketa - - - Message - - - - Amount - Kopurua - - - (no label) - (etiketarik ez) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Bidali txanponak - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - Kopurua - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Bidali hainbat jasotzaileri batera - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Saldoa: - - - Confirm the send action - Berretsi bidaltzeko ekintza - - - S&end - - - - Confirm send coins - Berretsi txanponak bidaltzea - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - Ordaintzeko kopurua 0 baino handiagoa izan behar du. - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (etiketarik ez) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - K&opurua: - - - Pay &To: - Ordaindu &honi: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - Sartu etiketa bat helbide honetarako, eta gehitu zure helbide-liburuan - - - &Label: - &Etiketa: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - Itsatsi helbidea arbeletik - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - Mezua - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Itsatsi helbidea arbeletik - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Sartu Bitocin helbide bat (adb.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Zabalik %1 arte - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/konfirmatu gabe - - - %1 confirmations - %1 konfirmazioak - - - Status - - - - , broadcast through %n node(s) - - - - Date - Data - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Kopurua - - - true - - - - false - - - - , has not been successfully broadcast yet - , ez da arrakastaz emititu oraindik - - - Open for %n more block(s) - - - - unknown - ezezaguna - - - - TransactionDescDialog - - Transaction details - Transakzioaren xehetasunak - - - This pane shows a detailed description of the transaction - Panel honek transakzioaren deskribapen xehea erakusten du - - - - TransactionTableModel - - Date - Data - - - Type - Mota - - - Address - Helbidea - - - Amount - Kopurua - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Zabalik %1 arte - - - Confirmed (%1 confirmations) - Konfirmatuta (%1 konfirmazio) - - - This block was not received by any other nodes and will probably not be accepted! - Bloke hau ez du beste inongo nodorik jaso, eta seguruenik ez da onartuko! - - - Generated but not accepted - Sortua, baina ez onartua - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Jasoa honekin: - - - Received from - - - - Sent to - Honi bidalia: - - - Payment to yourself - Ordainketa zeure buruari - - - Mined - Bildua - - - (n/a) - (n/a) - - - Transaction status. Hover over this field to show number of confirmations. - Transakzioaren egoera. Pasatu sagua gainetik konfirmazio kopurua ikusteko. - - - Date and time that the transaction was received. - Transakzioa jasotako data eta ordua. - - - Type of transaction. - Transakzio mota. - - - Destination address of transaction. - Transakzioaren xede-helbidea. - - - Amount removed from or added to balance. - Saldoan kendu edo gehitutako kopurua. - - - - TransactionView - - All - Denak - - - Today - Gaur - - - This week - Aste honetan - - - This month - Hil honetan - - - Last month - Azken hilean - - - This year - Aurten - - - Range... - Muga... - - - Received with - Jasota honekin: - - - Sent to - Hona bidalia: - - - To yourself - Zeure buruari - - - Mined - Bildua - - - Other - Beste - - - Enter address or label to search - Sartu bilatzeko helbide edo etiketa - - - Min amount - Kopuru minimoa - - - Copy address - Kopiatu helbidea - - - Copy label - Kopiatu etiketa - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Komaz bereizitako artxiboa (*.csv) - - - Confirmed - - - - Date - Data - - - Type - Mota - - - Label - Etiketa - - - Address - Helbidea - - - Amount - Kopurua - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - Komandoen lista - - - Get help for a command - Laguntza komando batean - - - Options: - Aukerak - - - Specify configuration file (default: bitcoin.conf) - Ezarpen fitxategia aukeratu (berezkoa: bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - pid fitxategia aukeratu (berezkoa: bitcoind.pid) - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - Laguntza mezu hau - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - Birbilatzen... - - - Done loading - Zamaketa amaitua - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_fa.ts b/src/qt/locale/bitcoin_fa.ts index 805c7bb856f..f530b39fac9 100644 --- a/src/qt/locale/bitcoin_fa.ts +++ b/src/qt/locale/bitcoin_fa.ts @@ -1,15 +1,7 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - This is experimental software. @@ -22,15 +14,7 @@ This product includes software developed by the OpenSSL Project for use in the O Copyright حق تألیف - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,7 +27,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &جدید Copy the currently selected address to the system clipboard @@ -51,11 +35,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + &رونوشت C&lose - + &بستن &Copy Address @@ -78,34 +62,10 @@ This product includes software developed by the OpenSSL Project for use in the O &حذف - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. این‌ها نشانی‌های بیت‌کوین شما برای ارسال وجود هستند. همیشه قبل از ارسال سکه‌ها، نشانی دریافت‌کننده و مقدار ارسالی را بررسی کنید. - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label کپی و برچسب‌&گذاری @@ -115,7 +75,7 @@ This product includes software developed by the OpenSSL Project for use in the O Export Address List - + استخراج لیست آدرس Comma separated file (*.csv) @@ -123,13 +83,9 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - - - - There was an error trying to save the address list to %1. - + استخراج انجام نشد - + AddressTableModel @@ -267,10 +223,6 @@ This product includes software developed by the OpenSSL Project for use in the O &بررسی اجمالی - Node - - - Show general overview of wallet نمایش بررسی اجمالی کیف پول @@ -319,18 +271,6 @@ This product includes software developed by the OpenSSL Project for use in the O &تغییر گذرواژه... - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - Importing blocks from disk... دریافت بلوک‌ها از دیسک... @@ -427,34 +367,6 @@ This product includes software developed by the OpenSSL Project for use in the O هسته Bitcoin - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client کلاینت بیت‌کوین @@ -487,14 +399,6 @@ This product includes software developed by the OpenSSL Project for use in the O %n هفته - %1 and %2 - - - - %n year(s) - - - %1 behind %1 عقب‌تر @@ -569,54 +473,10 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: مبلغ: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount مبلغ @@ -629,18 +489,10 @@ Address: %4 تاریخ - Confirmations - - - Confirmed تأیید شده - Priority - - - Copy address کپی نشانی @@ -657,146 +509,18 @@ Address: %4 کپی شناسهٔ تراکنش - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - yes - + بله no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + خیر (no label) (بدون برچسب) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -808,14 +532,6 @@ Address: %4 &برچسب - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &نشانی @@ -836,11 +552,11 @@ Address: %4 ویرایش نشانی ارسالی - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. نشانی وارد شده «%1» در حال حاضر در دفترچه وجود دارد. - The entered address "%1" is not a valid Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. نشانی وارد شده «%1» یک نشانی معتبر بیت‌کوین نیست. @@ -878,10 +594,6 @@ Address: %4 HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core هسته Bitcoin @@ -902,7 +614,7 @@ Address: %4 گزینه‌های رابط کاربری - Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) زبان را تنظیم کنید؛ برای مثال «de_DE» (زبان پیش‌فرض محلی) @@ -910,10 +622,6 @@ Address: %4 اجرای برنامه به صورت کوچک‌شده - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) نمایش پنجرهٔ خوشامدگویی در ابتدای اجرای برنامه (پیش‌فرض: 1) @@ -929,18 +637,6 @@ Address: %4 خوش‌آمدید - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - Use the default data directory استفاده از مسیر پیش‌فرض @@ -953,7 +649,7 @@ Address: %4 بیت‌کوین - Error: Specified data directory "%1" can not be created. + Error: Specified data directory "%1" can not be created. خطا: نمی‌توان پوشه‌ای برای داده‌ها در «%1» ایجاد کرد. @@ -971,27 +667,7 @@ Address: %4 OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1019,34 +695,6 @@ Address: %4 &اجرای بیت‌کوین با ورود به سیستم - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - Reset all client options to default. بازنشانی تمام تنظیمات به پیش‌فرض. @@ -1059,28 +707,8 @@ Address: %4 &شبکه - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - + استخراج Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1159,10 +787,6 @@ Address: %4 نمایش ن&شانی‌ها در فهرست تراکنش‌ها - Whether to show coin control features or not. - - - &OK &تأیید @@ -1175,24 +799,12 @@ Address: %4 پیش‌فرض - none - - - Confirm options reset تأییدِ بازنشانی گزینه‌ها - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - This change would require a client restart. - + برای این تغییرات بازنشانی مشتری ضروری است The supplied proxy address is invalid. @@ -1215,17 +827,13 @@ Address: %4 Available: - + در دسترس: Your current spendable balance تراز علی‌الحساب شما - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance مجموع تراکنش‌هایی که هنوز تأیید نشده‌اند؛ و هنوز روی تراز علی‌الحساب اعمال نشده‌اند @@ -1265,66 +873,10 @@ Address: %4 نشانی اینترنتی قابل تجزیه و تحلیل نیست! دلیل این وضعیت ممکن است یک نشانی نامعتبر بیت‌کوین و یا پارامترهای ناهنجار در URI بوده باشد. - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - Cannot start bitcoin: click-to-pay handler نمی‌توان بیت‌کوین را اجرا کرد: کنترل‌کنندهٔ کلیک-و-پرداخت - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1332,22 +884,10 @@ Address: %4 بیت‌کوین - Error: Specified data directory "%1" does not exist. + Error: Specified data directory "%1" does not exist. خطا: پوشهٔ مشخص شده برای داده‌ها در «%1» وجود ندارد. - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) یک آدرس بیت‌کوین وارد کنید (مثلاً 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1355,22 +895,10 @@ Address: %4 QRImageWidget - &Save Image... - - - - &Copy Image - - - Save QR Code ذخیرهٔ کد QR - - PNG Image (*.png) - - - + RPCConsole @@ -1390,14 +918,6 @@ Address: %4 &اطلاعات - Debug window - - - - General - - - Using OpenSSL version نسخهٔ OpenSSL استفاده شده @@ -1442,24 +962,8 @@ Address: %4 &کنسول - &Network Traffic - - - - &Clear - - - Totals - - - - In: - - - - Out: - + جمع کل: Build date @@ -1489,114 +993,18 @@ Address: %4 Type <b>help</b> for an overview of available commands. برای نمایش یک مرور کلی از دستورات ممکن، عبارت <b>help</b> را بنویسید. - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: &برچسب: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label کپی برچسب - Copy message - - - Copy amount کپی مقدار @@ -1608,30 +1016,6 @@ Address: %4 کد QR - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - Address نشانی @@ -1678,15 +1062,7 @@ Address: %4 (no label) (بدون برچسب) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1694,62 +1070,10 @@ Address: %4 ارسال سکه - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - Amount: مبلغ: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once ارسال به چند دریافت‌کنندهٔ به‌طور همزمان @@ -1758,10 +1082,6 @@ Address: %4 &دریافت‌کنندهٔ جدید - Clear all fields of the form. - - - Clear &All پاکسازی &همه @@ -1782,106 +1102,38 @@ Address: %4 ارسال سکه را تأیید کنید - %1 to %2 - - - - Copy quantity - - - Copy amount کپی مقدار - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - or - + یا The recipient address is not valid, please recheck. نشانی گیرنده معتبر نیست؛ لطفا دوباره بررسی کنید. - The amount to pay must be larger than 0. - مبلغ پرداخت باید بیشتر از ۰ باشد. - - - The amount exceeds your balance. - میزان پرداخت از تراز شما بیشتر است. - - - The total exceeds your balance when the %1 transaction fee is included. - با احتساب هزینهٔ %1 برای هر تراکنش، مجموع میزان پرداختی از مبلغ تراز شما بیشتر می‌شود. - - - Duplicate address found, can only send to each address once per send operation. - یک نشانی تکراری پیدا شد. در هر عملیات ارسال، به هر نشانی فقط مبلغ می‌توان ارسال کرد. - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (بدون برچسب) - - - Warning: Unknown change address - + The amount to pay must be larger than 0. + مبلغ پرداخت باید بیشتر از ۰ باشد. - Are you sure you want to send? - + The amount exceeds your balance. + میزان پرداخت از تراز شما بیشتر است. - added as transaction fee - + The total exceeds your balance when the %1 transaction fee is included. + با احتساب هزینهٔ %1 برای هر تراکنش، مجموع میزان پرداختی از مبلغ تراز شما بیشتر می‌شود. - Payment request expired - + Duplicate address found, can only send to each address once per send operation. + یک نشانی تکراری پیدا شد. در هر عملیات ارسال، به هر نشانی فقط مبلغ می‌توان ارسال کرد. - Invalid payment address %1 - + (no label) + (بدون برچسب) - + SendCoinsEntry @@ -1905,14 +1157,6 @@ Address: %4 &برچسب: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1925,49 +1169,13 @@ Address: %4 Alt+P - Remove this entry - - - Message: پیام: - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -1987,10 +1195,6 @@ Address: %4 نشانی مورد استفاده برای امضا کردن پیام (برای مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2059,7 +1263,7 @@ Address: %4 یک نشانی بیت‌کوین وارد کنید (مثلاً 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature + Click "Sign Message" to generate signature برای ایجاد یک امضای جدید روی «امضای پیام» کلیک کنید @@ -2118,21 +1322,13 @@ Address: %4 هسته Bitcoin - The Bitcoin Core developers - - - [testnet] آزمایش شبکه TrafficGraphWidget - - KB/s - - - + TransactionDesc @@ -2140,10 +1336,6 @@ Address: %4 باز تا %1 - conflicted - - - %1/offline %1/آفلاین @@ -2228,14 +1420,6 @@ Address: %4 شناسهٔ تراکنش - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information اطلاعات اشکال‌زدایی @@ -2301,10 +1485,6 @@ Address: %4 Amount مبلغ - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) باز برای %n بلوک دیگر @@ -2326,22 +1506,6 @@ Address: %4 تولید شده ولی قبول نشده - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with دریافت‌شده با @@ -2469,24 +1633,8 @@ Address: %4 نمایش جزئیات تراکنش - Export Transaction History - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + استخراج انجام نشد Comma separated file (*.csv) @@ -2531,11 +1679,7 @@ Address: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2566,14 +1710,6 @@ Address: %4 خطا در پشتیبان‌گیری - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - Backup Successful پشتیبان‌گیری موفق @@ -2645,10 +1781,6 @@ Address: %4 پذیرش دستورات خط فرمان و دستورات JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands اجرا در پشت زمینه به‌صورت یک سرویس و پذیرش دستورات @@ -2661,48 +1793,10 @@ Address: %4 پذیرش اتصالات از بیرون (پیش فرض:1 بدون پراکسی یا اتصال) - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 مقید به نشانی داده شده باشید و همیشه از آن پیروی کنید. از نشانه گذاری استاندار IPv6 به صورت Host]:Port] استفاده کنید. - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. تراکنش پذیرفته نیست! این خطا ممکن است در حالتی رخ داده باشد که مقداری از سکه های شما در کیف پولتان از جایی دیگر، همانند یک کپی از کیف پول اصلی اتان، خرج شده باشد اما در کیف پول اصلی اتان به عنوان مبلغ خرج شده، نشانه گذاری نشده باشد. @@ -2715,130 +1809,34 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. هنگامی که یک تراکنش در کیف پولی رخ می دهد، دستور را اجرا کن(%s در دستورات بوسیله ی TxID جایگزین می شود) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications این یک نسخه ی آزمایشی است - با مسئولیت خودتان از آن استفاده کنید - آن را در معدن و بازرگانی بکار نگیرید. - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. هشدار: مبلغ paytxfee بسیار بالایی تنظیم شده است! این مبلغ هزینه‌ای است که شما برای تراکنش‌ها پرداخت می‌کنید. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. هشدار: لطفا زمان و تاریخ رایانه خود را تصحیح نمایید! اگر ساعت رایانه شما اشتباه باشد bitcoin ممکن است صحیح کار نکند - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - Block creation options: بستن گزینه ایجاد - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) تنها در گره (های) مشخص شده متصل شوید - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - Corrupted block database detected یک پایگاه داده ی بلوک خراب یافت شد - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) آدرس آی.پی. خود را شناسایی کنید (پیش فرض:1 در زمان when listening وno -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? آیا مایلید که اکنون پایگاه داده ی بلوک را بازسازی کنید؟ @@ -2847,10 +1845,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. خطا در آماده سازی پایگاه داده ی بلوک - Error initializing wallet database environment %s! - - - Error loading block database خطا در بارگذاری پایگاه داده ها @@ -2859,14 +1853,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. خطا در بازگشایی پایگاه داده ی بلوک - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - Error: system error: خطا: خطای سامانه: @@ -2919,90 +1905,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. نرخ هر کیلوبایت برای اضافه کردن به تراکنش‌هایی که می‌فرستید - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) قرینه ها را برای جستجوی DNS بیاب (پیش فرض: 1 مگر در زمان اتصال) - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - How many blocks to check at startup (default: 288, 0 = all) چند بلوک نیاز است که در ابتدای راه اندازی بررسی شوند(پیش فرض:288 ،0=همه) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... در حال بازبینی بلوک ها... @@ -3011,70 +1921,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. در حال بازبینی کیف پول... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information اطلاعات - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) حداکثر بافر دریافت شده بر اساس اتصال <n>* 1000 بایت (پیش فرض:5000) @@ -3083,50 +1933,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. حداکثر بافر دریافت شده بر اساس اتصال <n>* 1000 بایت (پیش فرض:1000) - Only accept block chain matching built-in checkpoints (default: 1) - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) تنها =به گره ها در شبکه متصا شوید <net> (IPv4, IPv6 or Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) گزینه ssl (به ویکیbitcoin برای راهنمای راه اندازی ssl مراجعه شود) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file اطلاعات ردگیری/اشکال‌زدایی را به جای فایل لاگ اشکال‌زدایی به کنسول بفرستید @@ -3135,50 +1949,18 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. حداقل سایز بلاک بر اساس بایت تنظیم شود (پیش فرض: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) فایل debug.log را در startup مشتری کوچک کن (پیش فرض:1 اگر اشکال زدایی روی نداد) - Signing transaction failed - - - Specify connection timeout in milliseconds (default: 5000) (میلی ثانیه )فاصله ارتباط خاص - Start Bitcoin Core Daemon - - - System error: خطای سامانه - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - Use UPnP to map the listening port (default: 0) از UPnP برای شناسایی درگاه شنیداری استفاده کنید (پیش فرض:0) @@ -3199,22 +1981,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. هشدار: این نسخه قدیمی است، روزآمدسازی مورد نیاز است - Zapping all transactions from wallet... - - - - on startup - - - version نسخه - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections JSON-RPC عبارت عبور برای ارتباطات @@ -3287,27 +2057,27 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. خطا در بارگیری wallet.dat - Invalid -proxy address: '%s' + Invalid -proxy address: '%s' آدرس پراکسی اشتباه %s - Unknown network specified in -onlynet: '%s' - شبکه مشخص شده غیرقابل شناسایی در onlynet: '%s' + Unknown network specified in -onlynet: '%s' + شبکه مشخص شده غیرقابل شناسایی در onlynet: '%s' Unknown -socks proxy version requested: %i نسخه پراکسی ساکس غیرقابل شناسایی درخواست شده است: %i - Cannot resolve -bind address: '%s' + Cannot resolve -bind address: '%s' آدرس قابل اتصال- شناسایی نیست %s - Cannot resolve -externalip address: '%s' + Cannot resolve -externalip address: '%s' آدرس خارجی قابل اتصال- شناسایی نیست %s - Invalid amount for -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' میزان وجه اشتباه برای paytxfee=<میزان وجه>: %s @@ -3354,12 +2124,5 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error خطا - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - %s، شما باید یک rpcpassword را در فایل پیکربندی تنظیم کنید :⏎%s⏎ اگر فایل ایجاد نشد، یک فایل فقط متنی ایجاد کنید. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_fa_IR.ts b/src/qt/locale/bitcoin_fa_IR.ts index 18a0dca2241..563010f7425 100644 --- a/src/qt/locale/bitcoin_fa_IR.ts +++ b/src/qt/locale/bitcoin_fa_IR.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,69 +14,25 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + جدید Copy the currently selected address to the system clipboard کپی کردن حساب انتخاب شده به حافظه سیستم - کلیپ بورد - &Copy - - - - C&lose - - - &Copy Address و کپی آدرس - Delete the currently selected address from the list - - - Export the data in the current tab to a file صدور داده نوار جاری به یک فایل - &Export - - - &Delete و حذف - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label کپی و برچسب @@ -114,22 +41,10 @@ This product includes software developed by the OpenSSL Project for use in the O و ویرایش - Export Address List - - - Comma separated file (*.csv) سی.اس.وی. (فایل جداگانه دستوری) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +63,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase رمز/پَس فرِیز را وارد کنید @@ -200,22 +111,6 @@ This product includes software developed by the OpenSSL Project for use in the O رمزگذاری wallet را تایید کنید - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted تایید رمزگذاری @@ -247,11 +142,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed کشف رمز wallet انجام نشد - - Wallet passphrase was successfully changed. - - - + BitcoinGUI @@ -267,10 +158,6 @@ This product includes software developed by the OpenSSL Project for use in the O و بازبینی - Node - - - Show general overview of wallet نمای کلی از wallet را نشان بده @@ -288,7 +175,7 @@ This product includes software developed by the OpenSSL Project for use in the O Quit application - از "درخواست نامه"/ application خارج شو + از "درخواست نامه"/ application خارج شو Show information about Bitcoin @@ -319,30 +206,6 @@ This product includes software developed by the OpenSSL Project for use in the O تغییر رمز/پَس فرِیز - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - Modify configuration options for Bitcoin اصلاح انتخابها برای پیکربندی Bitcoin @@ -355,18 +218,6 @@ This product includes software developed by the OpenSSL Project for use in the O رمز مربوط به رمزگذاریِ wallet را تغییر دهید - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - Bitcoin bitcoin @@ -376,33 +227,13 @@ This product includes software developed by the OpenSSL Project for use in the O &Send - - - - &Receive - + و ارسال &Show / Hide &نمایش/ عدم نمایش و - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File و فایل @@ -423,103 +254,14 @@ This product includes software developed by the OpenSSL Project for use in the O [testnet] - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client مشتری bitcoin - - %n active connection(s) to Bitcoin network - %n ارتباط فعال به شبکه Bitcoin -%n ارتباط فعال به شبکه Bitcoin - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - Error خطا - Warning - - - - Information - - - Up to date روزآمد @@ -552,11 +294,7 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> wallet رمزگذاری شد و در حال حاضر قفل است - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel @@ -567,54 +305,10 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: میزان وجه: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount میزان @@ -627,18 +321,10 @@ Address: %4 تاریخ - Confirmations - - - Confirmed تایید شده - Priority - - - Copy address آدرس را کپی کنید @@ -651,2569 +337,724 @@ Address: %4 میزان وجه کپی شود - Copy transaction ID - + (no label) + (برچسب ندارد) + + + EditAddressDialog - Lock unspent - + Edit Address + ویرایش حساب - Unlock unspent - + &Label + و برچسب - Copy quantity - + &Address + حساب& - Copy fee - + New receiving address + حساب دریافت کننده جدید + - Copy after fee - + New sending address + حساب ارسال کننده جدید - Copy bytes - + Edit receiving address + ویرایش حساب دریافت کننده - Copy priority - + Edit sending address + ویرایش حساب ارسال کننده - Copy low output - + The entered address "%1" is not a valid Bitcoin address. + آدرس وارد شده "%1" یک آدرس صحیح برای bitcoin نسشت - Copy change - + Could not unlock wallet. + عدم توانیی برای قفل گشایی wallet - highest - + New key generation failed. + عدم توانیی در ایجاد کلید جدید + + + FreespaceChecker + + + HelpMessageDialog - higher - + version + نسخه - high - + Usage: + میزان استفاده: + + + Intro - medium-high - + Bitcoin + bitcoin - medium - + Error + خطا + + + OpenURIDialog + + + OptionsDialog - low-medium - + Options + انتخاب/آپشن - low - + &Display addresses in transaction list + و نمایش آدرسها در فهرست تراکنش - lower - + &OK + و تایید - lowest - + &Cancel + و رد - (%1 locked) - + default + پیش فرض + + + OverviewPage - none - + Form + فرم - Dust - + The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. + اطلاعات نمایش داده شده ممکن است روزآمد نباشد. wallet شما به صورت خودکار بعد از برقراری اتصال با شبکه bitcoin به روز می شود اما این فرایند هنوز تکمیل نشده است. - yes - + Wallet + کیف پول - no - + <b>Recent transactions</b> + تراکنشهای اخیر - This label turns red, if the transaction size is greater than 1000 bytes. - + out of sync + خارج از روزآمد سازی + + + PaymentServer + + + QObject - This means a fee of at least %1 per kB is required. - + Bitcoin + bitcoin - Can vary +/- 1 byte per input. - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole - Transactions with higher priority are more likely to get included into a block. - + Client name + نام کنسول RPC - This label turns red, if the priority is smaller than "medium". - + Client version + ویرایش کنسول RPC - This label turns red, if any recipient receives an amount smaller than %1. - + Network + شبکه - This means a fee of at least %1 is required. - + Number of connections + تعداد اتصال - Amounts below 0.546 times the minimum relay fee are shown as dust. - + Block chain + زنجیره مجموعه تراکنش ها - This label turns red, if the change is smaller than %1. - + Current number of blocks + تعداد زنجیره های حاضر - (no label) - (برچسب ندارد) + Welcome to the Bitcoin RPC console. + به کنسول آر.پی.سی. BITCOIN خوش آمدید + + + ReceiveCoinsDialog - change from %1 (%2) - + &Label: + و برچسب - (change) - - - - - EditAddressDialog - - Edit Address - ویرایش حساب - - - &Label - و برچسب - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - حساب& - - - New receiving address - حساب دریافت کننده جدید - - - - New sending address - حساب ارسال کننده جدید - - - Edit receiving address - ویرایش حساب دریافت کننده - - - Edit sending address - ویرایش حساب ارسال کننده - - - The entered address "%1" is already in the address book. - حساب وارد شده «1%» از پیش در دفترچه حساب ها موجود است. - - - The entered address "%1" is not a valid Bitcoin address. - آدرس وارد شده "%1" یک آدرس صحیح برای bitcoin نسشت - - - Could not unlock wallet. - عدم توانیی برای قفل گشایی wallet - - - New key generation failed. - عدم توانیی در ایجاد کلید جدید - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - نسخه - - - Usage: - میزان استفاده: - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - bitcoin - - - Error: Specified data directory "%1" can not be created. - - - - Error - خطا - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - انتخاب/آپشن - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - و نمایش آدرسها در فهرست تراکنش - - - Whether to show coin control features or not. - - - - &OK - و تایید - - - &Cancel - و رد - - - default - پیش فرض - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - فرم - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - اطلاعات نمایش داده شده ممکن است روزآمد نباشد. wallet شما به صورت خودکار بعد از برقراری اتصال با شبکه bitcoin به روز می شود اما این فرایند هنوز تکمیل نشده است. - - - Wallet - کیف پول - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - تراکنشهای اخیر - - - out of sync - خارج از روزآمد سازی - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - bitcoin - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - نام کنسول RPC - - - N/A - - - - Client version - ویرایش کنسول RPC - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - شبکه - - - Name - - - - Number of connections - تعداد اتصال - - - Block chain - زنجیره مجموعه تراکنش ها - - - Current number of blocks - تعداد زنجیره های حاضر - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - به کنسول آر.پی.سی. BITCOIN خوش آمدید - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - و برچسب - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - برچسب را کپی کنید - - - Copy message - - - - Copy amount - میزان وجه کپی شود - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - حساب - - - Amount - میزان - - - Label - برچسب - - - Message - پیام - - - Resulting URI too long, try to reduce the text for label / message. - متن وارد شده طولانی است، متنِ برچسب/پیام را کوتاه کنید - - - Error encoding URI into QR Code. - خطای تبدیل URI به کد QR - - - - RecentRequestsTableModel - - Date - تاریخ - - - Label - برچسب - - - Message - پیام - - - Amount - میزان - - - (no label) - (برچسب ندارد) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - سکه های ارسالی - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - میزان وجه: - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - ارسال همزمان به گیرنده های متعدد - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - مانده حساب: - - - Confirm the send action - تایید عملیات ارسال - - - S&end - و ارسال - - - Confirm send coins - تایید ارسال بیت کوین ها - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - میزان وجه کپی شود - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - میزان پرداخت باید بیشتر از 0 باشد - - - The amount exceeds your balance. - مقدار مورد نظر از مانده حساب بیشتر است. - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (برچسب ندارد) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - و میزان وجه - - - Pay &To: - پرداخت و به چه کسی - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - یک برچسب برای این آدرس بنویسید تا به دفترچه آدرسهای شما اضافه شود - - - &Label: - و برچسب - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt و A - - - Paste address from clipboard - آدرس را بر کلیپ بورد کپی کنید - - - Alt+P - Alt و P - - - Remove this entry - - - - Message: - پیام: - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - و امضای پیام - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Choose previously used address - - - - Alt+A - Alt و A - - - Paste address from clipboard - آدرس را بر کلیپ بورد کپی کنید - - - Alt+P - Alt و P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - [testnet] - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - باز کن تا %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1 / تایید نشده - - - %1 confirmations - %1 تایید - - - Status - - - - , broadcast through %n node(s) - - - - Date - تاریخ - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - برچسب - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - پیام - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - میزان - - - true - - - - false - - - - , has not been successfully broadcast yet - ، هنوز با موفقیت ارسال نگردیده است - - - Open for %n more block(s) - - - - unknown - ناشناس - - - - TransactionDescDialog - - Transaction details - جزئیات تراکنش - - - This pane shows a detailed description of the transaction - این بخش جزئیات تراکنش را نشان می دهد - - - - TransactionTableModel - - Date - تاریخ - - - Type - گونه - - - Address - آدرس - - - Amount - میزان وجه - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - باز کن تا %1 - - - Confirmed (%1 confirmations) - تایید شده (%1 تاییدها) - - - This block was not received by any other nodes and will probably not be accepted! - این block توسط گره های دیگری دریافت نشده است و ممکن است قبول نشود - - - Generated but not accepted - تولید شده اما قبول نشده است - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - قبول با - - - Received from - دریافت شده از - - - Sent to - ارسال به - - - Payment to yourself - وجه برای شما - - - Mined - استخراج شده - - - (n/a) - خالی - - - Transaction status. Hover over this field to show number of confirmations. - وضعیت تراکنش. با اشاره به این بخش تعداد تاییدها نمایش داده می شود - - - Date and time that the transaction was received. - زمان و تاریخی که تراکنش دریافت شده است - - - Type of transaction. - نوع تراکنش - - - Destination address of transaction. - آدرس مقصد در تراکنش - - - Amount removed from or added to balance. - میزان وجه کم شده یا اضافه شده به حساب - - - - TransactionView - - All - همه - - - Today - امروز - - - This week - این هفته - - - This month - این ماه - - - Last month - ماه گذشته - - - This year - این سال - - - Range... - حدود.. - - - Received with - دریافت با - - - Sent to - ارسال به - - - To yourself - به شما - - - Mined - استخراج شده - - - Other - دیگر - - - Enter address or label to search - آدرس یا برچسب را برای جستجو وارد کنید - - - Min amount - حداقل میزان وجه - - - Copy address - آدرس را کپی کنید - - - Copy label - برچسب را کپی کنید + Copy label + برچسب را کپی کنید Copy amount میزان وجه کپی شود + + + ReceiveRequestDialog - Copy transaction ID - - - - Edit label - برچسب را ویرایش کنید - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - + Address + حساب - There was an error trying to save the transaction history to %1. - + Amount + میزان - Exporting Successful - + Label + برچسب - The transaction history was successfully saved to %1. - + Message + پیام - Comma separated file (*.csv) - Comma separated file (*.csv) فایل جداگانه دستوری + Resulting URI too long, try to reduce the text for label / message. + متن وارد شده طولانی است، متنِ برچسب/پیام را کوتاه کنید - Confirmed - تایید شده + Error encoding URI into QR Code. + خطای تبدیل URI به کد QR + + + RecentRequestsTableModel Date تاریخ - Type - نوع - - Label برچسب - Address - آدرس + Message + پیام Amount میزان - ID - شناسه کاربری - - - Range: - دامنه: - - - to - به - - - - WalletFrame - - No wallet has been loaded. - + (no label) + (برچسب ندارد) - + - WalletModel + SendCoinsDialog Send Coins سکه های ارسالی - - - WalletView - - &Export - - - - Export the data in the current tab to a file - صدور داده نوار جاری به یک فایل - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - میزان استفاده: - - - List commands - فهرست دستورها - - - Get help for a command - درخواست کمک برای یک دستور - - - Options: - انتخابها: - - - Specify configuration file (default: bitcoin.conf) - فایل پیکربندیِ را مشخص کنید (پیش فرض: bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - فایل pid را مشخص کنید (پیش فرض: bitcoind.pid) - - - Specify data directory - دایرکتوری داده را مشخص کن - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - ارتباطات را در <PORT> بشنوید (پیش فرض: 8333 or testnet: 18333) - - - Maintain at most <n> connections to peers (default: 125) - نگهداری <N> ارتباطات برای قرینه سازی (پیش فرض:125) - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - آستانه قطع برای قرینه سازی اشتباه (پیش فرض:100) - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - تعداد ثانیه ها برای اتصال دوباره قرینه های اشتباه (پیش فرض:86400) - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - ارتباطاتِ JSON-RPC را در <port> گوش کنید (پیش فرض:8332) - - - Accept command line and JSON-RPC commands - command line و JSON-RPC commands را قبول کنید - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - به عنوان daemon بک گراند را اجرا کنید و دستورات را قبول نمایید - - - Use the test network - از تستِ شبکه استفاده نمایید - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - (default: 1) - + Amount: + میزان وجه: - (default: wallet.dat) - + Send to multiple recipients at once + ارسال همزمان به گیرنده های متعدد - <category> can be: - + Balance: + مانده حساب: - Attempt to recover private keys from a corrupt wallet.dat - + Confirm the send action + تایید عملیات ارسال - Bitcoin Core Daemon - + S&end + و ارسال - Block creation options: - + Confirm send coins + تایید ارسال بیت کوین ها - Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Copy amount + میزان وجه کپی شود - Connect only to the specified node(s) - + The amount to pay must be larger than 0. + میزان پرداخت باید بیشتر از 0 باشد - Connect through SOCKS proxy - + The amount exceeds your balance. + مقدار مورد نظر از مانده حساب بیشتر است. - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + (no label) + (برچسب ندارد) + + + SendCoinsEntry - Connection options: - + A&mount: + و میزان وجه - Corrupted block database detected - + Pay &To: + پرداخت و به چه کسی - Debugging/Testing options: - + Enter a label for this address to add it to your address book + یک برچسب برای این آدرس بنویسید تا به دفترچه آدرسهای شما اضافه شود - Disable safemode, override a real safe mode event (default: 0) - + &Label: + و برچسب - Discover own IP address (default: 1 when listening and no -externalip) - + Alt+A + Alt و A - Do not load the wallet and disable wallet RPC calls - + Paste address from clipboard + آدرس را بر کلیپ بورد کپی کنید - Do you want to rebuild the block database now? - + Alt+P + Alt و P - Error initializing block database - + Message: + پیام: + + + ShutdownWindow + + + SignVerifyMessageDialog - Error initializing wallet database environment %s! - + &Sign Message + و امضای پیام - Error loading block database - + The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Error opening block database - + Alt+A + Alt و A - Error: Disk space is low! - + Paste address from clipboard + آدرس را بر کلیپ بورد کپی کنید - Error: Wallet locked, unable to create transaction! - + Alt+P + Alt و P - Error: system error: - + The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Failed to listen on any port. Use -listen=0 if you want this. - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + یک آدرس bitcoin وارد کنید (مثال 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Failed to read block info - + [testnet] + [testnet] + + + TrafficGraphWidget + + + TransactionDesc - Failed to read block - + Open until %1 + باز کن تا %1 - Failed to sync block index - + %1/unconfirmed + %1 / تایید نشده - Failed to write block index - + %1 confirmations + %1 تایید - Failed to write block info - + Date + تاریخ - Failed to write block - + label + برچسب - Failed to write file info - + Message + پیام - Failed to write to coin database - + Transaction ID + شناسه کاربری - Failed to write transaction index - + Amount + میزان - Failed to write undo data - + , has not been successfully broadcast yet + ، هنوز با موفقیت ارسال نگردیده است - Fee per kB to add to transactions you send - + unknown + ناشناس + + + TransactionDescDialog - Fees smaller than this are considered zero fee (for relaying) (default: - + Transaction details + جزئیات تراکنش - Find peers using DNS lookup (default: 1 unless -connect) - + This pane shows a detailed description of the transaction + این بخش جزئیات تراکنش را نشان می دهد + + + TransactionTableModel - Force safe mode (default: 0) - + Date + تاریخ - Generate coins (default: 0) - + Type + گونه - How many blocks to check at startup (default: 288, 0 = all) - + Address + آدرس - If <category> is not supplied, output all debugging information. - + Amount + میزان وجه - Importing... - + Open until %1 + باز کن تا %1 - Incorrect or no genesis block found. Wrong datadir for network? - + Confirmed (%1 confirmations) + تایید شده (%1 تاییدها) - Invalid -onion address: '%s' - + This block was not received by any other nodes and will probably not be accepted! + این block توسط گره های دیگری دریافت نشده است و ممکن است قبول نشود - Not enough file descriptors available. - + Generated but not accepted + تولید شده اما قبول نشده است - Prepend debug output with timestamp (default: 1) - + Received with + قبول با - RPC client options: - + Received from + دریافت شده از - Rebuild block chain index from current blk000??.dat files - + Sent to + ارسال به - Select SOCKS version for -proxy (4 or 5, default: 5) - + Payment to yourself + وجه برای شما - Set database cache size in megabytes (%d to %d, default: %d) - + Mined + استخراج شده - Set maximum block size in bytes (default: %d) - + (n/a) + خالی - Set the number of threads to service RPC calls (default: 4) - + Transaction status. Hover over this field to show number of confirmations. + وضعیت تراکنش. با اشاره به این بخش تعداد تاییدها نمایش داده می شود - Specify wallet file (within data directory) - + Date and time that the transaction was received. + زمان و تاریخی که تراکنش دریافت شده است - Spend unconfirmed change when sending transactions (default: 1) - + Type of transaction. + نوع تراکنش - This is intended for regression testing tools and app development. - + Destination address of transaction. + آدرس مقصد در تراکنش - Usage (deprecated, use bitcoin-cli): - + Amount removed from or added to balance. + میزان وجه کم شده یا اضافه شده به حساب + + + TransactionView - Verifying blocks... - + All + همه - Verifying wallet... - + Today + امروز - Wait for RPC server to start - + This week + این هفته - Wallet %s resides outside data directory %s - + This month + این ماه - Wallet options: - + Last month + ماه گذشته - Warning: Deprecated argument -debugnet ignored, use -debug=net - + This year + این سال - You need to rebuild the database using -reindex to change -txindex - + Range... + حدود.. - Imports blocks from external blk000??.dat file - + Received with + دریافت با - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Sent to + ارسال به - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + To yourself + به شما - Output debugging information (default: 0, supplying <category> is optional) - + Mined + استخراج شده - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Other + دیگر - Information - + Enter address or label to search + آدرس یا برچسب را برای جستجو وارد کنید - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Min amount + حداقل میزان وجه - Invalid amount for -mintxfee=<amount>: '%s' - + Copy address + آدرس را کپی کنید - Limit size of signature cache to <n> entries (default: 50000) - + Copy label + برچسب را کپی کنید - Log transaction priority and fee per kB when mining blocks (default: 0) - + Copy amount + میزان وجه کپی شود - Maintain a full transaction index (default: 0) - + Edit label + برچسب را ویرایش کنید - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Comma separated file (*.csv) + Comma separated file (*.csv) فایل جداگانه دستوری - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Confirmed + تایید شده - Only accept block chain matching built-in checkpoints (default: 1) - + Date + تاریخ - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Type + نوع - Print block on startup, if found in block index - + Label + برچسب - Print block tree on startup (default: 0) - + Address + آدرس - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Amount + میزان - RPC server options: - + ID + شناسه کاربری - Randomly drop 1 of every <n> network messages - + Range: + دامنه: - Randomly fuzz 1 of every <n> network messages - + to + به + + + WalletFrame + + + WalletModel - Run a thread to flush wallet periodically (default: 1) - + Send Coins + سکه های ارسالی + + + WalletView - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Export the data in the current tab to a file + صدور داده نوار جاری به یک فایل - Send command to Bitcoin Core - + Backup Wallet + گرفتن نسخه پیشتیبان از Wallet - Send trace/debug info to console instead of debug.log file - ارسال اطلاعات پیگیری/خطایابی به کنسول به جای ارسال به فایل debug.log + Wallet Data (*.dat) + داده های Wallet +(*.dat) - Set minimum block size in bytes (default: 0) - + Backup Failed + عملیات گرفتن نسخه پیشتیبان انجام نشد + + + bitcoin-core - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Usage: + میزان استفاده: - Show all debugging options (usage: --help -help-debug) - + List commands + فهرست دستورها - Show benchmark information (default: 0) - + Get help for a command + درخواست کمک برای یک دستور - Shrink debug.log file on client startup (default: 1 when no -debug) - + Options: + انتخابها: - Signing transaction failed - + Specify configuration file (default: bitcoin.conf) + فایل پیکربندیِ را مشخص کنید (پیش فرض: bitcoin.conf) - Specify connection timeout in milliseconds (default: 5000) - تعیین مدت زمان وقفه (time out) به هزارم ثانیه + Specify pid file (default: bitcoind.pid) + فایل pid را مشخص کنید (پیش فرض: bitcoind.pid) - Start Bitcoin Core Daemon - + Specify data directory + دایرکتوری داده را مشخص کن - System error: - + Listen for connections on <port> (default: 8333 or testnet: 18333) + ارتباطات را در <PORT> بشنوید (پیش فرض: 8333 or testnet: 18333) - Transaction amount too small - + Maintain at most <n> connections to peers (default: 125) + نگهداری <N> ارتباطات برای قرینه سازی (پیش فرض:125) - Transaction amounts must be positive - + Threshold for disconnecting misbehaving peers (default: 100) + آستانه قطع برای قرینه سازی اشتباه (پیش فرض:100) - Transaction too large - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + تعداد ثانیه ها برای اتصال دوباره قرینه های اشتباه (پیش فرض:86400) - Use UPnP to map the listening port (default: 0) - + Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) + ارتباطاتِ JSON-RPC را در <port> گوش کنید (پیش فرض:8332) - Use UPnP to map the listening port (default: 1 when listening) - + Accept command line and JSON-RPC commands + command line و JSON-RPC commands را قبول کنید - Username for JSON-RPC connections - شناسه کاربری برای ارتباطاتِ JSON-RPC + Run in the background as a daemon and accept commands + به عنوان daemon بک گراند را اجرا کنید و دستورات را قبول نمایید - Warning - + Use the test network + از تستِ شبکه استفاده نمایید - Warning: This version is obsolete, upgrade required! - + Send trace/debug info to console instead of debug.log file + ارسال اطلاعات پیگیری/خطایابی به کنسول به جای ارسال به فایل debug.log - Zapping all transactions from wallet... - + Specify connection timeout in milliseconds (default: 5000) + تعیین مدت زمان وقفه (time out) به هزارم ثانیه - on startup - + Username for JSON-RPC connections + شناسه کاربری برای ارتباطاتِ JSON-RPC version نسخه - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections رمز برای ارتباطاتِ JSON-RPC @@ -3258,14 +1099,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. این پیام راهنما - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - Loading addresses... لود شدن آدرسها.. @@ -3286,28 +1119,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. خطا در هنگام لود شدن wallet.dat - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - میزان اشتباه است for -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + میزان اشتباه است for -paytxfee=<amount>: '%s' Invalid amount @@ -3357,7 +1170,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - شما باید یک رمز rpcpassword=<password> را در فایل تنظیمات ایجاد کنید⏎ %s ⏎ اگر فایل ایجاد نشده است، آن را با یک فایل "فقط متنی" ایجاد کنید. + شما باید یک رمز rpcpassword=<password> را در فایل تنظیمات ایجاد کنید⏎ %s ⏎ اگر فایل ایجاد نشده است، آن را با یک فایل "فقط متنی" ایجاد کنید. diff --git a/src/qt/locale/bitcoin_fi.ts b/src/qt/locale/bitcoin_fi.ts index 942dad5411c..fc5df34a59d 100644 --- a/src/qt/locale/bitcoin_fi.ts +++ b/src/qt/locale/bitcoin_fi.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -770,8 +770,8 @@ Osoite: %4 Rahansiirrot korkeammalla prioriteetilla sisällytetään varmemmin lohkoon. - This label turns red, if the priority is smaller than "medium". - Tämä nimi muuttuu punaiseksi jos prioriteetti on pienempi kuin "keskisuuri". + This label turns red, if the priority is smaller than "medium". + Tämä nimi muuttuu punaiseksi jos prioriteetti on pienempi kuin "keskisuuri". This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +841,12 @@ Osoite: %4 Muokkaa lähtevää osoitetta - The entered address "%1" is already in the address book. - Osoite "%1" on jo osoitekirjassa. + The entered address "%1" is already in the address book. + Osoite "%1" on jo osoitekirjassa. - The entered address "%1" is not a valid Bitcoin address. - Antamasi osoite "%1" ei ole validi Bitcoin-osoite. + The entered address "%1" is not a valid Bitcoin address. + Antamasi osoite "%1" ei ole validi Bitcoin-osoite. Could not unlock wallet. @@ -907,8 +907,8 @@ Osoite: %4 Käyttöliittymäasetukset - Set language, for example "de_DE" (default: system locale) - Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) Start minimized @@ -958,8 +958,8 @@ Osoite: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Virhe: Annettua data-hakemistoa "%1" ei voida luoda. + Error: Specified data directory "%1" can not be created. + Virhe: Annettua data-hakemistoa "%1" ei voida luoda. Error @@ -1048,6 +1048,14 @@ Osoite: %4 IP osoite proxille (esim. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Ulkopuoliset URL-osoitteet (esim. block explorer,) jotka esiintyvät siirrot-välilehdellä valikossa. %s URL-osoitteessa korvataan siirtotunnuksella. Useampi URL-osoite on eroteltu pystyviivalla |. + + + Third party transaction URLs + Kolmannen osapuolen rahansiirto URL:t + + Active command-line options that override above options: Aktiiviset komentorivivalinnat jotka ohittavat ylläolevat valinnat: @@ -1286,7 +1294,7 @@ Osoite: %4 Verkkohallinnan varoitus - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Aktiivinen proxy ei tue SOCKS5, joka on pakollinen maksupyynnöissä proxyn kautta. @@ -1337,8 +1345,8 @@ Osoite: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Virhe: Annettu data-hakemisto "%1" ei ole olemassa. + Error: Specified data directory "%1" does not exist. + Virhe: Annettu data-hakemisto "%1" ei ole olemassa. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1349,8 +1357,8 @@ Osoite: %4 Virhe: Virheellinen yhdistelmä -regtest ja -testnet. - Bitcoin Core did't yet exit safely... - Bitcoin Core ei vielä sulkeutunut turvallisesti... + Bitcoin Core didn't yet exit safely... + Bitcoin Core ei ole vielä sulkeutunut turvallisesti... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,8 +2072,8 @@ Osoite: %4 Anna Bitcoin-osoite (esim. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klikkaa "Allekirjoita Viesti luodaksesi allekirjoituksen + Click "Sign Message" to generate signature + Klikkaa "Allekirjoita Viesti luodaksesi allekirjoituksen The entered address is invalid. @@ -2237,8 +2245,8 @@ Osoite: %4 Kauppias - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Luodut kolikot täytyy kypsyttää %1 lohkoa kunnes ne voidaan käyttää. Kun loit tämän lohkon, se lähetettiin verkkoon lisänä lohkoketjuun. Jos se epäonnistuu pääsemään ketjuun sen tila tulee muuttumaan "ei hyväksytty" ja sitä ei voida käyttää. Tämä voi ajoittain tapahtua kun toisen solmun lohko luodaan samanaikaisesti omasi kanssa. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Luodut kolikot täytyy kypsyttää %1 lohkoa kunnes ne voidaan käyttää. Kun loit tämän lohkon, se lähetettiin verkkoon lisänä lohkoketjuun. Jos se epäonnistuu pääsemään ketjuun sen tila tulee muuttumaan "ei hyväksytty" ja sitä ei voida käyttää. Tämä voi ajoittain tapahtua kun toisen solmun lohko luodaan samanaikaisesti omasi kanssa. Debug information @@ -2675,7 +2683,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, sinun tulee asettaa rpcpassword asetustietostossa: %s @@ -2686,7 +2694,7 @@ rpcpassword=%s Tämän tunnuksen ja salasanan TULEE OLLA sama. Jos tiedostoa ei ole, luo se vain omistajan-luku-oikeudella. Suositellaan asettaa alertnotify jotta saat tietoa ongelmista; -esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2770,7 +2778,7 @@ esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Varoitus: -paytxfee on asetettu erittäin korkeaksi! Tämä on maksukulu jonka tulet maksamaan kun lähetät siirron. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Varoitus: Tarkista että tietokoneesi kellonaika ja päivämäärä ovat paikkansapitäviä! Bitcoin ei toimi oikein väärällä päivämäärällä ja/tai kellonajalla. @@ -2966,8 +2974,8 @@ esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Virheellinen tai olematon alkulohko löydetty. Väärä data-hakemisto verkolle? - Invalid -onion address: '%s' - Virheellinen -onion osoite: '%s' + Invalid -onion address: '%s' + Virheellinen -onion osoite: '%s' Not enough file descriptors available. @@ -3070,12 +3078,12 @@ esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Tietoa - Invalid amount for -minrelaytxfee=<amount>: '%s' - Virheellinen määrä -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Virheellinen määrä -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Virheellinen määrä -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Virheellinen määrä -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3302,28 +3310,28 @@ esimerkiksi: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Virhe ladattaessa wallet.dat-tiedostoa - Invalid -proxy address: '%s' - Virheellinen proxy-osoite '%s' + Invalid -proxy address: '%s' + Virheellinen proxy-osoite '%s' - Unknown network specified in -onlynet: '%s' - Tuntematon verkko -onlynet parametrina: '%s' + Unknown network specified in -onlynet: '%s' + Tuntematon verkko -onlynet parametrina: '%s' Unknown -socks proxy version requested: %i Tuntematon -socks proxy versio pyydetty: %i - Cannot resolve -bind address: '%s' - -bind osoitteen '%s' selvittäminen epäonnistui + Cannot resolve -bind address: '%s' + -bind osoitteen '%s' selvittäminen epäonnistui - Cannot resolve -externalip address: '%s' - -externalip osoitteen '%s' selvittäminen epäonnistui + Cannot resolve -externalip address: '%s' + -externalip osoitteen '%s' selvittäminen epäonnistui - Invalid amount for -paytxfee=<amount>: '%s' - -paytxfee=<amount>: '%s' on virheellinen + Invalid amount for -paytxfee=<amount>: '%s' + -paytxfee=<amount>: '%s' on virheellinen Invalid amount diff --git a/src/qt/locale/bitcoin_fr.ts b/src/qt/locale/bitcoin_fr.ts index e0d5bbdbcdf..2105cf81a76 100644 --- a/src/qt/locale/bitcoin_fr.ts +++ b/src/qt/locale/bitcoin_fr.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -17,11 +17,11 @@ Distributed under the MIT/X11 software license, see the accompanying file COPYIN This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - Ce logiciel est expérimental. +Ce logiciel est expérimental. - Distribué sous licence logicielle MIT/X11, voir le fichier COPYING joint ou http://www.opensource.org/licenses/mit-license.php. +Distribué sous licence MIT/X11 d'utilisation d'un logiciel. Consultez le fichier joint COPYING ou http://www.opensource.org/licenses/mit-license.php. - Ce produit comprend des logiciels développés par le projet OpenSSL afin d'être utilisés dans la boîte à outils OpenSSL (http://www.openssl.org/), un logiciel de chiffrement écrit par Eric Young (eay@cryptsoft.com), et un logiciel UPnP développé par Thomas Bernard. +Ce produit comprend des logiciels développés par le projet OpenSSL afin d'être utilisés dans la boîte à outils OpenSSL (http://www.openssl.org/), un logiciel de chiffrement écrit par Eric Young (eay@cryptsoft.com) et un logiciel UPnP développé par Thomas Bernard. Copyright @@ -40,7 +40,7 @@ This product includes software developed by the OpenSSL Project for use in the O AddressBookPage Double-click to edit address or label - Double cliquer afin de modifier l'adresse ou l'étiquette + Double cliquer afin de modifier l'adresse ou l'étiquette Create a new address @@ -52,7 +52,7 @@ This product includes software developed by the OpenSSL Project for use in the O Copy the currently selected address to the system clipboard - Copier l'adresse courante sélectionnée dans le presse-papier + Copier l'adresse courante sélectionnée dans le presse-papier &Copy @@ -64,15 +64,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy Address - &Copier l'adresse + &Copier l'adresse Delete the currently selected address from the list - Effacer l'adresse actuellement sélectionnée de la liste + Effacer l'adresse actuellement sélectionnée de la liste Export the data in the current tab to a file - Exporter les données de l'onglet courant vers un fichier + Exporter les données de l'onglet courant vers un fichier &Export @@ -84,11 +84,11 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - Choisir l'adresse à laquelle envoyer des pièces + Choisir l'adresse à laquelle envoyer des pièces Choose the address to receive coins with - Choisir l'adresse avec laquelle recevoir des pîèces + Choisir l'adresse avec laquelle recevoir des pîèces C&hoose @@ -96,7 +96,7 @@ This product includes software developed by the OpenSSL Project for use in the O Sending addresses - Adresses d'envoi + Adresses d'envoi Receiving addresses @@ -104,15 +104,15 @@ This product includes software developed by the OpenSSL Project for use in the O These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - Voici vos adresses Bitcoin pour envoyer des paiements. Vérifiez toujours le montant et l'adresse du destinataire avant d'envoyer des pièces. + Voici vos adresses Bitcoin pour envoyer des paiements. Vérifiez toujours le montant et l'adresse du destinataire avant d'envoyer des pièces. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - Voici vos adresses Bitcoin pour recevoir des paiements. Il est recommandé d'utiliser une nouvelle adresse de réception pour chaque transaction. + Voici vos adresses Bitcoin pour recevoir des paiements. Il est recommandé d'utiliser une nouvelle adresse de réception pour chaque transaction. Copy &Label - Copier l'é&tiquette + Copier l'é&tiquette &Edit @@ -120,7 +120,7 @@ This product includes software developed by the OpenSSL Project for use in the O Export Address List - Exporter la liste d'adresses + Exporter la liste d'adresses Comma separated file (*.csv) @@ -128,11 +128,11 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - L'exportation a échoué + L'exportation a échoué There was an error trying to save the address list to %1. - Une erreur est survenue lors de l'enregistrement de la liste d'adresses vers %1. + Une erreur est survenue lors de l'enregistrement de la liste d'adresses vers %1. @@ -226,7 +226,7 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Bitcoin va à présent se fermer pour terminer le chiffrement. N'oubliez pas que le chiffrement de votre portefeuille n'est pas une protection totale contre le vol par des logiciels malveillants qui infecteraient votre ordinateur. + Bitcoin va à présent se fermer pour terminer le chiffrement. N'oubliez pas que le chiffrement de votre portefeuille n'est pas une protection totale contre le vol par des logiciels malveillants qui infecteraient votre ordinateur. Wallet encryption failed @@ -234,7 +234,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet encryption failed due to an internal error. Your wallet was not encrypted. - Le chiffrement du portefeuille a échoué en raison d'une erreur interne. Votre portefeuille n'a pas été chiffré. + Le chiffrement du portefeuille a échoué en raison d'une erreur interne. Votre portefeuille n'a pas été chiffré. The supplied passphrases do not match. @@ -269,7 +269,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Overview - &Vue d'ensemble + &Vue d'ensemble Node @@ -285,7 +285,7 @@ This product includes software developed by the OpenSSL Project for use in the O Browse transaction history - Parcourir l'historique des transactions + Parcourir l'historique des transactions E&xit @@ -325,7 +325,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - Adresses d'&envoi... + Adresses d'&envoi... &Receiving addresses... @@ -405,7 +405,7 @@ This product includes software developed by the OpenSSL Project for use in the O Verify messages to ensure they were signed with specified Bitcoin addresses - Vérifier les messages pour vous assurer qu'ils ont été signés avec les adresses Bitcoin spécifiées + Vérifier les messages pour vous assurer qu'ils ont été signés avec les adresses Bitcoin spécifiées &File @@ -421,7 +421,7 @@ This product includes software developed by the OpenSSL Project for use in the O Tabs toolbar - Barre d'outils des onglets + Barre d'outils des onglets [testnet] @@ -441,11 +441,11 @@ This product includes software developed by the OpenSSL Project for use in the O Show the list of used sending addresses and labels - Afficher la liste d'adresses d'envoi et d'étiquettes utilisées + Afficher la liste d'adresses d'envoi et d'étiquettes utilisées Show the list of used receiving addresses and labels - Afficher la liste d'adresses de réception et d'étiquettes utilisées + Afficher la liste d'adresses de réception et d'étiquettes utilisées Open a bitcoin: URI or payment request @@ -457,7 +457,7 @@ This product includes software developed by the OpenSSL Project for use in the O Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - Afficher le message d'aide de Bitcoin Core pour obtenir une liste des options de ligne de commande Bitcoin possibles. + Afficher le message d'aide de Bitcoin Core pour obtenir une liste des options de ligne de commande Bitcoin possibles. Bitcoin client @@ -473,11 +473,11 @@ This product includes software developed by the OpenSSL Project for use in the O Processed %1 of %2 (estimated) blocks of transaction history. - À traité %1 blocs sur %2 (estimés) de l'historique des transactions. + À traité %1 blocs sur %2 (estimés) de l'historique des transactions. Processed %1 blocks of transaction history. - À traité %1 blocs de l'historique des transactions. + À traité %1 blocs de l'historique des transactions. %n hour(s) @@ -561,7 +561,7 @@ Adresse : %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - Une erreur fatale est survenue. Bitcoin ne peut plus continuer de façon sûre et va s'arrêter. + Une erreur fatale est survenue. Bitcoin ne peut plus continuer de façon sûre et va s'arrêter. @@ -575,7 +575,7 @@ Adresse : %4 CoinControlDialog Coin Control Address Selection - Sélection de l'adresse de contrôle des pièces + Sélection de l'adresse de contrôle des pièces Quantity: @@ -659,15 +659,15 @@ Adresse : %4 Copy transaction ID - Copier l'ID de la transaction + Copier l'ID de la transaction Lock unspent - Verrouiller ce qui n'est pas dépensé + Verrouiller ce qui n'est pas dépensé Unlock unspent - Déverrouiller ce qui n'est pas dépensé + Déverrouiller ce qui n'est pas dépensé Copy quantity @@ -758,28 +758,24 @@ Adresse : %4 Cette étiquette devient rouge si la taille de la transaction est plus grande que 1 000 octets. - This means a fee of at least %1 per kB is required. - Signifie que des frais d'au moins 1% par ko sont requis. - - Can vary +/- 1 byte per input. Peut varier +/- 1 octet par entrée. Transactions with higher priority are more likely to get included into a block. - Les transactions à priorité plus haute sont plus à même d'être incluses dans un bloc. + Les transactions à priorité plus haute sont plus à même d'être incluses dans un bloc. - This label turns red, if the priority is smaller than "medium". + This label turns red, if the priority is smaller than "medium". Cette étiquette devient rouge si la priorité est plus basse que « moyenne » This label turns red, if any recipient receives an amount smaller than %1. - Cette étiquette devient rouge si un destinataire reçoit un montant inférieur à 1%. + Cette étiquette devient rouge si un destinataire reçoit un montant inférieur à %1. This means a fee of at least %1 is required. - Signifie que des frais d'au moins %1 sont requis. + Signifie que des frais d'au moins %1 sont requis. Amounts below 0.546 times the minimum relay fee are shown as dust. @@ -806,7 +802,7 @@ Adresse : %4 EditAddressDialog Edit Address - Modifier l'adresse + Modifier l'adresse &Label @@ -814,11 +810,11 @@ Adresse : %4 The label associated with this address list entry - L'étiquette associée à cette entrée de la liste d'adresses + L'étiquette associée à cette entrée de la liste d'adresses The address associated with this address list entry. This can only be modified for sending addresses. - L'adresse associée à cette entrée de la liste d'adresses. Ceci ne peut être modifié que pour les adresses d'envoi. + L'adresse associée à cette entrée de la liste d'adresses. Ceci ne peut être modifié que pour les adresses d'envoi. &Address @@ -838,15 +834,15 @@ Adresse : %4 Edit sending address - Modifier l’adresse d'envoi + Modifier l’adresse d'envoi - The entered address "%1" is already in the address book. - L’adresse fournie « %1 » est déjà présente dans le carnet d'adresses. + The entered address "%1" is already in the address book. + L’adresse fournie « %1 » est déjà présente dans le carnet d'adresses. - The entered address "%1" is not a valid Bitcoin address. - L'adresse fournie « %1 » n'est pas une adresse Bitcoin valide. + The entered address "%1" is not a valid Bitcoin address. + L'adresse fournie « %1 » n'est pas une adresse Bitcoin valide. Could not unlock wallet. @@ -873,7 +869,7 @@ Adresse : %4 Path already exists, and is not a directory. - Le chemin existe déjà et n'est pas un répertoire. + Le chemin existe déjà et n'est pas un répertoire. Cannot create data directory here. @@ -904,10 +900,10 @@ Adresse : %4 UI options - Options de l'interface utilisateur + Options de l'interface utilisateur - Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) Définir la langue, par exemple « fr_CA » (par défaut : la langue du système) @@ -920,7 +916,7 @@ Adresse : %4 Show splash screen on startup (default: 1) - Afficher l'écran d'accueil au démarrage (par défaut : 1) + Afficher l'écran d'accueil au démarrage (par défaut : 1) Choose data directory on startup (default: 0) @@ -939,7 +935,7 @@ Adresse : %4 As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - Comme c'est la première fois que le logiciel est lancé, vous pouvez choisir où Bitcoin Core stockera ses données. + Comme c'est la première fois que le logiciel est lancé, vous pouvez choisir où Bitcoin Core stockera ses données. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. @@ -958,7 +954,7 @@ Adresse : %4 Bitcoin - Error: Specified data directory "%1" can not be created. + Error: Specified data directory "%1" can not be created. Erreur : le répertoire de données spécifié « %1 » ne peut pas être créé. @@ -967,7 +963,7 @@ Adresse : %4 GB of free space available - Go d'espace libre disponible + Go d'espace libre disponible (of %1GB needed) @@ -982,7 +978,7 @@ Adresse : %4 Open payment request from URI or file - Ouvrir une demande de paiement à partir d'un URI ou d'un fichier + Ouvrir une demande de paiement à partir d'un URI ou d'un fichier URI: @@ -1017,11 +1013,11 @@ Adresse : %4 Automatically start Bitcoin after logging in to the system. - Démarrer Bitcoin automatiquement après avoir ouvert une session sur l'ordinateur. + Démarrer Bitcoin automatiquement après avoir ouvert une session sur l'ordinateur. &Start Bitcoin on system login - &Démarrer Bitcoin lors de l'ouverture d'une session + &Démarrer Bitcoin lors de l'ouverture d'une session Size of &database cache @@ -1033,7 +1029,7 @@ Adresse : %4 Number of script &verification threads - Nombre d'exétrons de &vérification de script + Nombre d'exétrons de &vérification de script Connect to the Bitcoin network through a SOCKS proxy. @@ -1048,6 +1044,14 @@ Adresse : %4 Adresse IP du mandataire (par ex. IPv4 : 127.0.0.1 / IPv6 : ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL de tiers (par ex. un explorateur de blocs) apparaissant dans l'onglet des transactions comme éléments du menu contextuel. %s dans l'URL est remplacé par le hachage de la transaction. Les URL multiples sont séparées par une barre verticale |. + + + Third party transaction URLs + URL de transaction d'un tiers + + Active command-line options that override above options: Options actives de ligne de commande qui annulent les options ci-dessus : @@ -1081,7 +1085,7 @@ Adresse : %4 If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - Si vous désactivé la dépense de la monnaie non confirmée, la monnaie d'une transaction ne peut pas être utilisée tant que cette transaction n'a pas reçu au moins une confirmation. Ceci affecte aussi comment votre solde est calculé. + Si vous désactivé la dépense de la monnaie non confirmée, la monnaie d'une transaction ne peut pas être utilisée tant que cette transaction n'a pas reçu au moins une confirmation. Ceci affecte aussi comment votre solde est calculé. &Spend unconfirmed change @@ -1089,11 +1093,11 @@ Adresse : %4 Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - Ouvrir le port du client Bitcoin automatiquement sur le routeur. Ceci ne fonctionne que si votre routeur supporte l'UPnP et si la fonctionnalité est activée. + Ouvrir le port du client Bitcoin automatiquement sur le routeur. Ceci ne fonctionne que si votre routeur supporte l'UPnP et si la fonctionnalité est activée. Map port using &UPnP - Mapper le port avec l'&UPnP + Mapper le port avec l'&UPnP Proxy &IP: @@ -1129,7 +1133,7 @@ Adresse : %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Minimiser au lieu de quitter l'application lorsque la fenêtre est fermée. Si cette option est activée, l'application ne pourra être fermée qu'en sélectionnant Quitter dans le menu. + Minimiser au lieu de quitter l'application lorsque la fenêtre est fermée. Si cette option est activée, l'application ne pourra être fermée qu'en sélectionnant Quitter dans le menu. M&inimize on close @@ -1141,19 +1145,19 @@ Adresse : %4 User Interface &language: - &Langue de l'interface utilisateur : + &Langue de l'interface utilisateur : The user interface language can be set here. This setting will take effect after restarting Bitcoin. - La langue de l'interface utilisateur peut être définie ici. Ce réglage sera pris en compte après redémarrage de Bitcoin. + La langue de l'interface utilisateur peut être définie ici. Ce réglage sera pris en compte après redémarrage de Bitcoin. &Unit to show amounts in: - &Unité d'affichage des montants : + &Unité d'affichage des montants : Choose the default subdivision unit to show in the interface and when sending coins. - Choisissez la sous-unité par défaut pour l'affichage dans l'interface et lors de l'envoi de pièces. + Choisissez la sous-unité par défaut pour l'affichage dans l'interface et lors de l'envoi de pièces. Whether to show Bitcoin addresses in the transaction list or not. @@ -1201,7 +1205,7 @@ Adresse : %4 The supplied proxy address is invalid. - L'adresse de serveur mandataire fournie est invalide. + L'adresse de serveur mandataire fournie est invalide. @@ -1212,7 +1216,7 @@ Adresse : %4 The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - Les informations affichées peuvent être obsolètes. Votre portefeuille est automatiquement synchronisé avec le réseau Bitcoin lorsque la connexion s'établit, or ce processus n'est pas encore terminé. + Les informations affichées peuvent être obsolètes. Votre portefeuille est automatiquement synchronisé avec le réseau Bitcoin lorsque la connexion s'établit, or ce processus n'est pas encore terminé. Wallet @@ -1232,7 +1236,7 @@ Adresse : %4 Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - Total des transactions qui doivent encore être confirmées et qu'il n'est pas encore possible de dépenser + Total des transactions qui doivent encore être confirmées et qu'il n'est pas encore possible de dépenser Immature: @@ -1240,7 +1244,7 @@ Adresse : %4 Mined balance that has not yet matured - Le solde généré n'est pas encore mûr + Le solde généré n'est pas encore mûr Total: @@ -1267,11 +1271,11 @@ Adresse : %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - L'URI ne peut être analysé ! Ceci peut être causé par une adresse Bitcoin invalide ou par des paramètres d'URI mal composé. + L'URI ne peut être analysé ! Ceci peut être causé par une adresse Bitcoin invalide ou par des paramètres d'URI mal composé. Requested payment amount of %1 is too small (considered dust). - Le paiement demandé d'un montant de %1 est trop faible (considéré comme de la poussière). + Le paiement demandé d'un montant de %1 est trop faible (considéré comme de la poussière). Payment request error @@ -1286,12 +1290,12 @@ Adresse : %4 Avertissement du gestionnaire de réseau - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Votre serveur mandataire actif ne prend pas en charge SOCKS5 ce qui est exigé pour les demandes de paiements par serveur mandataire. Payment request fetch URL is invalid: %1 - L'URL de récupération de la demande de paiement est invalide : %1 + L'URL de récupération de la demande de paiement est invalide : %1 Payment request file handling @@ -1337,20 +1341,20 @@ Adresse : %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Erreur : le répertoire de données spécifié « %1 » n'existe pas. + Error: Specified data directory "%1" does not exist. + Erreur : le répertoire de données spécifié « %1 » n'existe pas. Error: Cannot parse configuration file: %1. Only use key=value syntax. - Erreur : impossible d'analyser le fichier de configuration : %1. N’utilisez que la syntaxe clef=valeur. + Erreur : impossible d'analyser le fichier de configuration : %1. N’utilisez que la syntaxe clef=valeur. Error: Invalid combination of -regtest and -testnet. Erreur : combinaison invalide de -regtest et de -testnet. - Bitcoin Core did't yet exit safely... - Bitcoin Core ne s’est pas arrêté correctement... + Bitcoin Core didn't yet exit safely... + Bitcoin Core ne s'est pas encore arrêté en toute sécurité... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1361,11 +1365,11 @@ Adresse : %4 QRImageWidget &Save Image... - &Sauvegarder l'image... + &Sauvegarder l'image... &Copy Image - &Copier l'image + &Copier l'image Save QR Code @@ -1404,7 +1408,7 @@ Adresse : %4 Using OpenSSL version - Version d'OpenSSL utilisée + Version d'OpenSSL utilisée Startup time @@ -1488,11 +1492,11 @@ Adresse : %4 Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - Utiliser les touches de curseur pour naviguer dans l'historique et <b>Ctrl-L</b> pour effacer l'écran. + Utiliser les touches de curseur pour naviguer dans l'historique et <b>Ctrl-L</b> pour effacer l'écran. Type <b>help</b> for an overview of available commands. - Taper <b>help</b> pour afficher une vue générale des commandes disponibles. + Taper <b>help</b> pour afficher une vue générale des commandes proposées. %1 B @@ -1539,7 +1543,7 @@ Adresse : %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - Réutilise une adresse de réception précédemment utilisée. Réutiliser une adresse pose des problèmes de sécurité et de vie privée. N'utilisez pas cette option sauf si vous générez à nouveau une demande de paiement déjà faite. + Réutilise une adresse de réception précédemment utilisée. Réutiliser une adresse pose des problèmes de sécurité et de vie privée. N'utilisez pas cette option sauf si vous générez à nouveau une demande de paiement déjà faite. R&euse an existing receiving address (not recommended) @@ -1547,7 +1551,7 @@ Adresse : %4 An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - Un message optionnel à joindre à la demande de paiement qui sera affiché à l'ouverture de celle-ci. Note : le message ne sera pas envoyé avec le paiement par le réseau Bitcoin. + Un message optionnel à joindre à la demande de paiement qui sera affiché à l'ouverture de celle-ci. Note : le message ne sera pas envoyé avec le paiement par le réseau Bitcoin. An optional label to associate with the new receiving address. @@ -1614,15 +1618,15 @@ Adresse : %4 Copy &URI - Copier l'&URI + Copier l'&URI Copy &Address - Copier l'&adresse + Copier l'&adresse &Save Image... - &Sauvegarder l'image... + &Sauvegarder l'image... Request payment to %1 @@ -1654,11 +1658,11 @@ Adresse : %4 Resulting URI too long, try to reduce the text for label / message. - L'URI résultant est trop long, essayez de réduire le texte d'étiquette / de message. + L'URI résultant est trop long, essayez de réduire le texte d'étiquette / de message. Error encoding URI into QR Code. - Erreur d'encodage de l'URI en code QR. + Erreur d'encodage de l'URI en code QR. @@ -1681,7 +1685,7 @@ Adresse : %4 (no label) - (pas d'étiquette) + (pas d'étiquette) (no message) @@ -1748,7 +1752,7 @@ Adresse : %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - Si ceci est actif mais l'adresse de monnaie rendue est vide ou invalide, la monnaie sera envoyée vers une adresse nouvellement générée. + Si ceci est actif mais l'adresse de monnaie rendue est vide ou invalide, la monnaie sera envoyée vers une adresse nouvellement générée. Custom change address @@ -1776,7 +1780,7 @@ Adresse : %4 Confirm the send action - Confirmer l’action d'envoi + Confirmer l’action d'envoi S&end @@ -1832,7 +1836,7 @@ Adresse : %4 The recipient address is not valid, please recheck. - L'adresse du destinataire n’est pas valide, veuillez la vérifier. + L'adresse du destinataire n’est pas valide, veuillez la vérifier. The amount to pay must be larger than 0. @@ -1848,7 +1852,7 @@ Adresse : %4 Duplicate address found, can only send to each address once per send operation. - Adresse indentique trouvée, il n'est possible d'envoyer qu'une fois à chaque adresse par opération d'envoi. + Adresse indentique trouvée, il n'est possible d'envoyer qu'une fois à chaque adresse par opération d'envoi. Transaction creation failed! @@ -1864,7 +1868,7 @@ Adresse : %4 (no label) - (pas d'étiquette) + (pas d'étiquette) Warning: Unknown change address @@ -1899,7 +1903,7 @@ Adresse : %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'adresse à laquelle le paiement sera envoyé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'adresse à laquelle le paiement sera envoyé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book @@ -1923,7 +1927,7 @@ Adresse : %4 Paste address from clipboard - Coller l'adresse depuis le presse-papier + Coller l'adresse depuis le presse-papier Alt+P @@ -1943,11 +1947,11 @@ Adresse : %4 Enter a label for this address to add it to the list of used addresses - Saisir une étiquette pour cette adresse afin de l'ajouter à la liste d'adresses utilisées + Saisir une étiquette pour cette adresse afin de l'ajouter à la liste d'adresses utilisées A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - Un message qui était joint à l'URI Bitcoin et qui sera stocké avec la transaction pour référence. Note : ce message ne sera pas envoyé par le réseau Bitcoin. + Un message qui était joint à l'URI Bitcoin et qui sera stocké avec la transaction pour référence. Note : ce message ne sera pas envoyé par le réseau Bitcoin. This is an unverified payment request. @@ -1970,7 +1974,7 @@ Adresse : %4 Do not shut down the computer until this window disappears. - Ne pas fermer l'ordinateur jusqu'à la disparition de cette fenêtre. + Ne pas fermer l'ordinateur jusqu'à la disparition de cette fenêtre. @@ -1985,11 +1989,11 @@ Adresse : %4 You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Vous pouvez signer des messages avec vos adresses pour prouver que vous les détenez. Faites attention de ne pas signer de vague car des attaques d'hameçonnage peuvent essayer d'usurper votre identité par votre signature. Ne signez que des déclarations entièrement détaillées et avec lesquelles vous serez d'accord. + Vous pouvez signer des messages avec vos adresses pour prouver que vous les détenez. Faites attention de ne pas signer de vague car des attaques d'hameçonnage peuvent essayer d'usurper votre identité par votre signature. Ne signez que des déclarations entièrement détaillées et avec lesquelles vous serez d'accord. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'adresse avec laquelle le message sera signé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'adresse avec laquelle le message sera signé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address @@ -2041,15 +2045,15 @@ Adresse : %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Saisir ci-dessous l'adresse de signature, le message (assurez-vous d'avoir copié exactement les retours à la ligne, les espaces, tabulations etc...) et la signature pour vérifier le message. Faire attention à ne pas déduire davantage de la signature que ce qui est contenu dans le message signé lui-même pour éviter d'être trompé par une attaque d'homme du milieu. + Saisir ci-dessous l'adresse de signature, le message (assurez-vous d'avoir copié exactement les retours à la ligne, les espaces, tabulations etc.) et la signature pour vérifier le message. Faire attention à ne pas déduire davantage de la signature que ce qui est contenu dans le message signé lui-même pour éviter d'être trompé par une attaque d'homme du milieu. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'adresse avec laquelle le message a été signé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'adresse avec laquelle le message a été signé (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify the message to ensure it was signed with the specified Bitcoin address - Vérifier le message pour vous assurer qu'il a bien été signé par l'adresse Bitcoin spécifiée + Vérifier le message pour vous assurer qu'il a bien été signé par l'adresse Bitcoin spécifiée Verify &Message @@ -2064,20 +2068,20 @@ Adresse : %4 Saisir une adresse Bitcoin (par ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature + Click "Sign Message" to generate signature Cliquez sur « Signer le message » pour générer la signature The entered address is invalid. - L'adresse saisie est invalide. + L'adresse saisie est invalide. Please check the address and try again. - Veuillez vérifier l'adresse et réessayer. + Veuillez vérifier l'adresse et réessayer. The entered address does not refer to a key. - L'adresse saisie ne fait pas référence à une clef. + L'adresse saisie ne fait pas référence à une clef. Wallet unlock was cancelled. @@ -2085,7 +2089,7 @@ Adresse : %4 Private key for the entered address is not available. - La clef privée pour l'adresse indiquée n'est pas disponible. + La clef privée n'est pas disponible pour l'adresse indiquée. Message signing failed. @@ -2097,7 +2101,7 @@ Adresse : %4 The signature could not be decoded. - La signature n'a pu être décodée. + La signature n'a pu être décodée. Please check the signature and try again. @@ -2105,7 +2109,7 @@ Adresse : %4 The signature did not match the message digest. - La signature ne correspond pas à l'empreinte du message. + La signature ne correspond pas à l'empreinte du message. Message verification failed. @@ -2142,7 +2146,7 @@ Adresse : %4 TransactionDesc Open until %1 - Ouvert jusqu'à %1 + Ouvert jusqu'à %1 conflicted @@ -2237,7 +2241,7 @@ Adresse : %4 Marchand - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Les pièces générées doivent mûrir pendant %1 blocs avant de pouvoir être dépensées. Lorsque vous avez généré ce bloc, il a été diffusé sur le réseau pour être ajouté à la chaîne de blocs. S’il échoue a intégrer la chaîne, son état sera modifié en « non accepté » et il ne sera pas possible de le dépenser. Ceci peut arriver occasionnellement si un autre nœud génère un bloc à quelques secondes du votre. @@ -2316,7 +2320,7 @@ Adresse : %4 Open until %1 - Ouvert jusqu'à %1 + Ouvert jusqu'à %1 Confirmed (%1 confirmations) @@ -2364,7 +2368,7 @@ Adresse : %4 Mined - Extrait + Miné (n/a) @@ -2435,7 +2439,7 @@ Adresse : %4 Mined - Extrait + Miné Other @@ -2463,7 +2467,7 @@ Adresse : %4 Copy transaction ID - Copier l'ID de la transaction + Copier l'ID de la transaction Edit label @@ -2475,15 +2479,15 @@ Adresse : %4 Export Transaction History - Exporter l'historique des transactions + Exporter l'historique des transactions Exporting Failed - L'exportation a échoué + L'exportation a échoué There was an error trying to save the transaction history to %1. - Une erreur est survenue lors de l'enregistrement de l'historique des transactions vers %1. + Une erreur est survenue lors de l'enregistrement de l'historique des transactions vers %1. Exporting Successful @@ -2491,7 +2495,7 @@ Adresse : %4 The transaction history was successfully saved to %1. - L'historique des transactions a été sauvegardée avec succès vers %1. + L'historique des transactions a été sauvegardée avec succès vers %1. Comma separated file (*.csv) @@ -2556,7 +2560,7 @@ Adresse : %4 Export the data in the current tab to a file - Exporter les données de l'onglet courant vers un fichier + Exporter les données de l'onglet courant vers un fichier Backup Wallet @@ -2572,7 +2576,7 @@ Adresse : %4 There was an error trying to save the wallet data to %1. - Une erreur est survenue lors de l'enregistrement des données de portefeuille vers %1. + Une erreur est survenue lors de l'enregistrement des données de portefeuille vers %1. The wallet data was successfully saved to %1. @@ -2607,7 +2611,7 @@ Adresse : %4 Specify pid file (default: bitcoind.pid) - Spécifier le fichier PID (par défaut : bitcoind.pid) + Spécifier le fichier pid (par défaut : bitcoind.pid) Specify data directory @@ -2631,11 +2635,11 @@ Adresse : %4 Threshold for disconnecting misbehaving peers (default: 100) - Seuil de déconnexion des pairs de mauvaise qualité (par défaut : 100) + Seuil de déconnexion des pairs présentant un mauvais comportement (par défaut : 100) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Délai en secondes de refus de reconnexion aux pairs de mauvaise qualité (par défaut : 86400) + Délai en secondes de refus de reconnexion pour les pairs présentant un mauvais comportement (par défaut : 86400) An error occurred while setting up the RPC port %u for listening on IPv4: %s @@ -2643,7 +2647,7 @@ Adresse : %4 Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - Écouter les connexions JSON-RPC sur le <port> (par défaut : 8332 ou tesnet : 18332) + Écouter les connexions JSON-RPC sur <port> (par défaut : 8332 ou tesnet : 18332) Accept command line and JSON-RPC commands @@ -2675,18 +2679,18 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, vous devez définir un mot de passe rpc dans le fichier de configuration : %s -Il vous est conseillé d'utiliser le mot de passe aléatoire suivant : +Il vous est conseillé d'utiliser le mot de passe aléatoire suivant : rpcuser=bitcoinrpc rpcpassword=%s -(vous n'avez pas besoin de retenir ce mot de passe) -Le nom d'utilisateur et le mot de passe NE DOIVENT PAS être identiques. -Si le fichier n'existe pas, créez-le avec les droits de lecture accordés au propriétaire. +(vous n'avez pas besoin de retenir ce mot de passe) +Le nom d'utilisateur et le mot de passe NE DOIVENT PAS être identiques. +Si le fichier n'existe pas, créez-le avec les droits de lecture accordés au propriétaire. Il est aussi conseillé de régler alertnotify pour être prévenu des problèmes ; -par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@foo.com +par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@foo.com @@ -2699,7 +2703,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Se lier à l'adresse donnée et toujours l'écouter. Utilisez la notation [host]:port pour l'IPv6 + Se lier à l'adresse donnée et toujours l'écouter. Utilisez la notation [host]:port pour l'IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) @@ -2707,7 +2711,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Entrer dans le mode de test de régression qui utilise une chaîne spéciale dans laquelle les blocs peuvent être résolus instantanément. Ceci est destiné aux outils de test de régression et au développement d'applications. + Entrer dans le mode de test de régression qui utilise une chaîne spéciale dans laquelle les blocs peuvent être résolus instantanément. Ceci est destiné aux outils de test de régression et au développement d'applications. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. @@ -2715,7 +2719,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Error: Listening for incoming connections failed (listen returned error %d) - Erreur : l'écoute des connexions entrantes a échoué (l'écoute a retourné l'erreur %d) + Erreur : l'écoute des connexions entrantes a échoué (l'écoute a retourné l'erreur %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2723,11 +2727,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Erreur : Cette transaction nécessite des frais de transaction d'au moins %s en raison de son montant, de sa complexité ou de l'utilisation de fonds reçus récemment ! + Erreur : Cette transaction nécessite des frais de transaction d'au moins %s en raison de son montant, de sa complexité ou de l'utilisation de fonds reçus récemment ! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Exécuter la commande lorsqu'une transaction de portefeuille change (%s dans la commande est remplacée par TxID) + Exécuter la commande lorsqu'une transaction de portefeuille change (%s dans la commande est remplacée par TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: @@ -2735,11 +2739,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Purger l’activité de la base de données de la mémoire vers le journal sur disque tous les <n> mégaoctets (par défaut : 100) + Purger l’activité de la base de données de la zone de mémoire vers le journal sur disque tous les <n> mégaoctets (par défaut : 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - À quel point la vérification des blocs -checkblocks est approfondie (0-4, par défaut : 3) + Degré de profondeur de la vérification des blocs -checkblocks (0-4, par défaut : 3) In this mode -genproclimit controls how many blocks are generated immediately. @@ -2747,7 +2751,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Définir le nombre d'exétrons de vérification des scripts (%u à %d, 0 = auto, < 0 = laisser ce nombre de cœurs inutilisés, par défaut : %d) + Définir le nombre d'exétrons de vérification des scripts (%u à %d, 0 = auto, < 0 = laisser ce nombre de cœurs inutilisés, par défaut : %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) @@ -2755,7 +2759,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Ceci est une pré-version de test - l'utiliser à vos risques et périls - ne pas l'utiliser pour miner ou pour des applications marchandes + Ceci est une pré-version de test - l'utiliser à vos risques et périls - ne pas l'utiliser pour miner ou pour des applications marchandes Unable to bind to %s on this computer. Bitcoin Core is probably already running. @@ -2767,23 +2771,23 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Attention : -paytxfee est réglée sur un montant très élevé ! Il s'agit des frais de transaction que vous payerez si vous envoyez une transaction. + Attention : -paytxfee est réglée sur un montant très élevé ! Il s'agit des frais de transaction que vous payerez si vous envoyez une transaction. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Attention : Veuillez vérifier que la date et l'heure de votre ordinateur sont justes ! Si votre horloge n'est pas à l'heure, Bitcoin ne fonctionnera pas correctement. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Attention : Veuillez vérifier que la date et l'heure de votre ordinateur sont justes ! Si votre horloge n'est pas à l'heure, Bitcoin ne fonctionnera pas correctement. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Attention : Le réseau ne semble pas totalement d'accord ! Quelques mineurs semblent éprouver des difficultés. + Attention : Le réseau ne semble pas totalement d'accord ! Quelques mineurs semblent éprouver des difficultés. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Attention : Nous ne semblons pas être en accord complet avec nos pairs ! Vous pourriez avoir besoin d'effectuer une mise à niveau, ou d'autres nœuds du réseau pourraient avoir besoin d'effectuer une mise à niveau. + Attention : Nous ne semblons pas être en accord complet avec nos pairs ! Vous pourriez avoir besoin d'effectuer une mise à niveau, ou d'autres nœuds du réseau pourraient avoir besoin d'effectuer une mise à niveau. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Avertissement : une erreur est survenue lors de la lecture de wallet.dat ! Toutes les clefs ont été lues correctement mais les données de transaction ou les entrées du carnet d'adresses sont peut-être incorrectes ou manquantes. + Avertissement : une erreur est survenue lors de la lecture de wallet.dat ! Toutes les clefs ont été lues correctement mais les données de transaction ou les entrées du carnet d'adresses sont peut-être incorrectes ou manquantes. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. @@ -2803,7 +2807,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Attempt to recover private keys from a corrupt wallet.dat - Tenter de récupérer les clefs privées d'un wallet.dat corrompu + Tenter de récupérer les clefs privées d'un wallet.dat corrompu Bitcoin Core Daemon @@ -2819,7 +2823,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Connect only to the specified node(s) - Ne se connecter qu'au(x) nœud(s) spécifié(s) + Ne se connecter qu'au(x) nœud(s) spécifié(s) Connect through SOCKS proxy @@ -2847,7 +2851,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Discover own IP address (default: 1 when listening and no -externalip) - Découvrir sa propre adresse IP (par défaut : 1 lors de l'écoute et si aucun -externalip) + Découvrir sa propre adresse IP (par défaut : 1 lors de l'écoute et si aucun -externalip) Do not load the wallet and disable wallet RPC calls @@ -2859,11 +2863,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Error initializing block database - Erreur lors de l'initialisation de la base de données des blocs + Erreur lors de l'initialisation de la base de données des blocs Error initializing wallet database environment %s! - Erreur lors de l'initialisation de l'environnement de la base de données du portefeuille %s ! + Erreur lors de l'initialisation de l'environnement de la base de données du portefeuille %s ! Error loading block database @@ -2871,11 +2875,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Error opening block database - Erreur lors de l'ouverture de la base de données des blocs + Erreur lors de l'ouverture de la base de données des blocs Error: Disk space is low! - Erreur : l'espace disque est faible ! + Erreur : l'espace disque est faible ! Error: Wallet locked, unable to create transaction! @@ -2887,7 +2891,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Failed to listen on any port. Use -listen=0 if you want this. - Échec de l'écoute sur un port quelconque. Utilisez -listen=0 si vous voulez ceci. + Échec de l'écoute sur un port quelconque. Utilisez -listen=0 si vous voulez ceci. Failed to read block info @@ -2899,35 +2903,35 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Failed to sync block index - La synchronisation de l'index des blocs a échoué + La synchronisation de l'index des blocs a échoué Failed to write block index - L''écriture de l'index des blocs a échoué + L''écriture de l'index des blocs a échoué Failed to write block info - L'écriture des informations du bloc a échoué + L'écriture des informations du bloc a échoué Failed to write block - L'écriture du bloc a échoué + L'écriture du bloc a échoué Failed to write file info - L'écriture des informations de fichier a échoué + L'écriture des informations de fichier a échoué Failed to write to coin database - L'écriture dans la base de données des pièces a échoué + L'écriture dans la base de données des pièces a échoué Failed to write transaction index - L'écriture de l'index des transactions a échoué + L'écriture de l'index des transactions a échoué Failed to write undo data - L'écriture des données d'annulation a échoué + L'écriture des données d'annulation a échoué Fee per kB to add to transactions you send @@ -2951,11 +2955,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo How many blocks to check at startup (default: 288, 0 = all) - Nombre de blocs à vérifier au démarrage (par défaut : 288, 0 = tout) + Nombre de blocs à vérifier au démarrage (par défaut : 288, 0 = tous) If <category> is not supplied, output all debugging information. - Si <category> n'est pas indiqué, extraire toutes les données de débogage. + Si <category> n'est pas indiqué, extraire toutes les données de débogage. Importing... @@ -2966,16 +2970,16 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Bloc de genèse incorrect ou introuvable. Mauvais répertoire de données pour le réseau ? - Invalid -onion address: '%s' + Invalid -onion address: '%s' Adresse -onion invalide : « %s » Not enough file descriptors available. - Pas assez de descripteurs de fichiers de disponibles. + Pas assez de descripteurs de fichiers proposés. Prepend debug output with timestamp (default: 1) - Ajouter l'horodatage au début des résultats de débogage (par défaut : 1) + Ajouter l'horodatage au début de la sortie de débogage (par défaut : 1) RPC client options: @@ -2983,7 +2987,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Rebuild block chain index from current blk000??.dat files - Reconstruire l'index de la chaîne de blocs à partir des fichiers blk000??.dat courants + Reconstruire l'index de la chaîne de blocs à partir des fichiers blk000??.dat courants Select SOCKS version for -proxy (4 or 5, default: 5) @@ -2999,7 +3003,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Set the number of threads to service RPC calls (default: 4) - Définir le nombre d'exétrons pour desservir les appels RPC (par défaut : 4) + Définir le nombre d'exétrons pour desservir les appels RPC (par défaut : 4) Specify wallet file (within data directory) @@ -3007,11 +3011,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Spend unconfirmed change when sending transactions (default: 1) - Dépenser la monnaie non confirmée lors de l'envoi de transactions (par défaut : 1) + Dépenser la monnaie non confirmée lors de l'envoi de transactions (par défaut : 1) This is intended for regression testing tools and app development. - Ceci est à l'intention des outils de test de régression et du développement applicatif. + Ceci est à l'intention des outils de test de régression et du développement applicatif. Usage (deprecated, use bitcoin-cli): @@ -3039,7 +3043,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Warning: Deprecated argument -debugnet ignored, use -debug=net - Attention : l'argument obsolète -debugnet a été ignoré, utiliser -debug=net + Attention : l'argument obsolète -debugnet a été ignoré, utiliser -debug=net You need to rebuild the database using -reindex to change -txindex @@ -3055,11 +3059,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Exécuter une commande lorsqu'une alerte pertinente est reçue ou si nous voyons une bifurcation vraiment étendue (%s dans la commande est remplacé par le message) + Exécuter une commande lorsqu'une alerte pertinente est reçue ou si nous voyons une bifurcation vraiment étendue (%s dans la commande est remplacé par le message) Output debugging information (default: 0, supplying <category> is optional) - Informations du résultat de débogage (par défaut : 0, fournir <category> est optionnel) + Extraire les informations de débogage (par défaut : 0, fournir <category> est optionnel) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) @@ -3070,11 +3074,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Informations - Invalid amount for -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' Montant invalide pour -minrelayfee=<montant> : « %s » - Invalid amount for -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' Montant invalide pour -mintxfee=<montant> : « %s » @@ -3083,7 +3087,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Log transaction priority and fee per kB when mining blocks (default: 0) - Journaliser la priorité des transactions et les frais par ko lors du minage (par défaut : 0) + Lors du minage, journaliser la priorité des transactions et les frais par ko (par défaut : 0) Maintain a full transaction index (default: 0) @@ -3091,15 +3095,15 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Tampon maximal de réception par « -connection » <n>*1 000 octets (par défaut : 5 000) + Tampon maximal de réception par connexion, <n>*1 000 octets (par défaut : 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Tampon maximal d'envoi par « -connection », <n>*1 000 octets (par défaut : 1 000) + Tampon maximal d'envoi par connexion », <n>*1000 octets (par défaut : 1000) Only accept block chain matching built-in checkpoints (default: 1) - N'accepter que la chaîne de blocs correspondant aux points de vérification internes (par défaut : 1) + N'accepter qu'une chaîne de blocs correspondant aux points de vérification intégrés (par défaut : 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) @@ -3107,11 +3111,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Print block on startup, if found in block index - Imprimer le bloc au démarrage s'il est trouvé dans l'index des blocs + Imprimer le bloc au démarrage s'il est trouvé dans l'index des blocs Print block tree on startup (default: 0) - Imprimer l'arborescence des blocs au démarrage (par défaut : 0) + Imprimer l'arborescence des blocs au démarrage (par défaut : 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3131,7 +3135,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Run a thread to flush wallet periodically (default: 1) - Exécuter un exétron pour purger le portefeuille périodiquement (par défaut : 1) + Exécuter une tâche pour purger le portefeuille périodiquement (par défaut : 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3147,11 +3151,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Set minimum block size in bytes (default: 0) - Définir la taille minimale de bloc en octets (par défaut : 0) + Définir la taille de bloc minimale en octets (par défaut : 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Définit le drapeau DB_PRIVATE dans l'environnement de la base de données du portefeuille (par défaut : 1) + Définit le drapeau DB_PRIVATE dans l'environnement de la BD du portefeuille (par défaut : 1) Show all debugging options (usage: --help -help-debug) @@ -3163,7 +3167,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Shrink debug.log file on client startup (default: 1 when no -debug) - Réduire le fichier debug.log lors du démarrage du client (par défaut : 1 lorsque -debug n'est pas présent) + Réduire le fichier debug.log lors du démarrage du client (par défaut : 1 lorsque -debug n'est pas présent) Signing transaction failed @@ -3171,7 +3175,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Specify connection timeout in milliseconds (default: 5000) - Spécifier le délai d'expiration de la connexion en millisecondes (par défaut : 5 000) + Spécifier le délai d'expiration de la connexion en millisecondes (par défaut : 5 000) Start Bitcoin Core Daemon @@ -3195,15 +3199,15 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Use UPnP to map the listening port (default: 0) - Utiliser l'UPnP pour rediriger le port d'écoute (par défaut : 0) + Utiliser l'UPnP pour mapper le port d'écoute (par défaut : 0) Use UPnP to map the listening port (default: 1 when listening) - Utiliser l'UPnP pour rediriger le port d'écoute (par défaut : 1 lors de l'écoute) + Utiliser l'UPnP pour mapper le port d'écoute (par défaut : 1 lors de l'écoute) Username for JSON-RPC connections - Nom d'utilisateur pour les connexions JSON-RPC + Nom d'utilisateur pour les connexions JSON-RPC Warning @@ -3235,7 +3239,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Allow JSON-RPC connections from specified IP address - Autoriser les connexions JSON-RPC depuis l'adresse IP spécifiée + Autoriser les connexions JSON-RPC depuis l'adresse IP spécifiée Send commands to node running on <ip> (default: 127.0.0.1) @@ -3251,7 +3255,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Set key pool size to <n> (default: 100) - Régler la taille de la réserve de clefs sur <n> (par défaut : 100) + Définir la taille de la réserve de clefs à <n> (par défaut : 100) Rescan the block chain for missing wallet transactions @@ -3263,7 +3267,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Server certificate file (default: server.cert) - Fichier de certificat serveur (par défaut : server.cert) + Fichier de certification du serveur (par défaut : server.cert) Server private key (default: server.pem) @@ -3271,11 +3275,11 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo This help message - Ce message d'aide + Ce message d'aide Unable to bind to %s on this computer (bind returned error %d, %s) - Impossible de se lier à %s sur cet ordinateur (bind a retourné l'erreur %d, %s) + Impossible de se lier à %s sur cet ordinateur (bind a retourné l'erreur %d, %s) Allow DNS lookups for -addnode, -seednode and -connect @@ -3295,18 +3299,18 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Wallet needed to be rewritten: restart Bitcoin to complete - Le portefeuille devait être réécrit : redémarrer Bitcoin pour terminer l'opération. + Le portefeuille devait être réécrit : redémarrer Bitcoin pour terminer l'opération. Error loading wallet.dat Erreur lors du chargement de wallet.dat - Invalid -proxy address: '%s' + Invalid -proxy address: '%s' Adresse -proxy invalide : « %s » - Unknown network specified in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' Réseau inconnu spécifié sur -onlynet : « %s » @@ -3314,15 +3318,15 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Version inconnue de serveur mandataire -socks demandée : %i - Cannot resolve -bind address: '%s' - Impossible de résoudre l'adresse -bind : « %s » + Cannot resolve -bind address: '%s' + Impossible de résoudre l'adresse -bind : « %s » - Cannot resolve -externalip address: '%s' - Impossible de résoudre l'adresse -externalip : « %s » + Cannot resolve -externalip address: '%s' + Impossible de résoudre l'adresse -externalip : « %s » - Invalid amount for -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' Montant invalide pour -paytxfee=<montant> : « %s » @@ -3351,7 +3355,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo Cannot write default address - Impossible d'écrire l'adresse par défaut + Impossible d'écrire l'adresse par défaut Rescanning... @@ -3363,7 +3367,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo To use the %s option - Pour utiliser l'option %s + Pour utiliser l'option %s Error @@ -3375,7 +3379,7 @@ par exemple : alertnotify=echo %%s | mail -s "Alerte Bitcoin" admin@fo If the file does not exist, create it with owner-readable-only file permissions. Vous devez ajouter la ligne rpcpassword=<mot-de-passe> au fichier de configuration : %s -Si le fichier n'existe pas, créez-le avec les droits de lecture seule accordés au propriétaire. +Si le fichier n'existe pas, créez-le avec les droits de lecture seule accordés au propriétaire. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_fr_CA.ts b/src/qt/locale/bitcoin_fr_CA.ts index 0df3eb3edd4..33707029eb2 100644 --- a/src/qt/locale/bitcoin_fr_CA.ts +++ b/src/qt/locale/bitcoin_fr_CA.ts @@ -1,15 +1,7 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - This is experimental software. @@ -23,118 +15,30 @@ Distribué sous licence MIT/X11, voir le fichier COPYING ou http://www.opensourc Ce produit comprend des logiciels développés par le projet OpenSSL pour être utilisés dans la boîte à outils OpenSSL (http://www.openssl.org/), un logiciel cryptographique écrit par Eric Young (eay@cryptsoft.com) et un logiciel UPnP écrit par Thomas Bernard. - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage Double-click to edit address or label - Double-cliquez afin de modifier l'adress ou l'étiquette + Double-cliquez afin de modifier l'adress ou l'étiquette Create a new address Créer une nouvelle adresse - &New - - - Copy the currently selected address to the system clipboard - Copier l'adresse surligné a votre presse-papier - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - + Copier l'adresse surligné a votre presse-papier &Delete &Supprimer - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Fichier séparé par une virgule (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -153,10 +57,6 @@ Ce produit comprend des logiciels développés par le projet OpenSSL pour être AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Entrer Mot de Passe @@ -188,3178 +88,142 @@ Ce produit comprend des logiciels développés par le projet OpenSSL pour être This operation needs your wallet passphrase to decrypt the wallet. Cette opération nécessite le mot de passe de votre porte-feuille pour le décrypter. - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI + + + ClientModel + + + CoinControlDialog - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - + Address + Addresse - Show the list of used receiving addresses and labels - + (no label) + (pas de record) + + + EditAddressDialog + + + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - Open a bitcoin: URI or payment request - + Address + Addresse - &Command-line options - + Label + Record + + + RecentRequestsTableModel - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Label + Record - Bitcoin client - - - - %n active connection(s) to Bitcoin network - + (no label) + (pas de record) + + + SendCoinsDialog - No block source available... - + (no label) + (pas de record) + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc + + + TransactionDescDialog + + + TransactionTableModel - Processed %1 of %2 (estimated) blocks of transaction history. - + Address + Addresse + + + TransactionView - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + Comma separated file (*.csv) + Fichier séparé par une virgule (*.csv) - %1 and %2 - - - - %n year(s) - + Label + Record - %1 behind - + Address + Addresse - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - Addresse - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (pas de record) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + WalletFrame + - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + WalletModel + - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + WalletView + - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Addresse - - - Amount - - - - Label - Record - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - Record - - - Message - - - - Amount - - - - (no label) - (pas de record) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (pas de record) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - Addresse - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Fichier séparé par une virgule (*.csv) - - - Confirmed - - - - Date - - - - Type - - - - Label - Record - - - Address - Addresse - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_gl.ts b/src/qt/locale/bitcoin_gl.ts index a1ee3545bfc..e6c49bb718e 100644 --- a/src/qt/locale/bitcoin_gl.ts +++ b/src/qt/locale/bitcoin_gl.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -31,11 +31,7 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op The Bitcoin Core developers Os desarrolladores de Bitcoin Core - - (%1-bit) - - - + AddressBookPage @@ -130,11 +126,7 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op Exporting Failed Exportación falida - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -272,10 +264,6 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op &Vista xeral - Node - - - Show general overview of wallet Amosar vista xeral do moedeiro @@ -324,18 +312,6 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op &Cambiar contrasinal... - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - Importing blocks from disk... Importando bloques de disco... @@ -452,14 +428,6 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op Abrir un bitcoin: URI ou solicitude de pago - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Cliente Bitcoin @@ -492,14 +460,6 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op %n semana%n semanas - %1 and %2 - - - - %n year(s) - - - %1 behind %1 detrás @@ -574,10 +534,6 @@ Dirección: %4 CoinControlDialog - Coin Control Address Selection - - - Quantity: Cantidade: @@ -598,14 +554,6 @@ Dirección: %4 Pago: - Low Output: - - - - After Fee: - - - Change: Cambiar: @@ -690,10 +638,6 @@ Dirección: %4 Copiar prioridade - Copy low output - - - Copy change Copiar cambio @@ -714,10 +658,6 @@ Dirección: %4 medio-alto - medium - - - low-medium medio-baixo @@ -738,10 +678,6 @@ Dirección: %4 (%1 bloqueado) - none - - - Dust Limpar @@ -754,50 +690,14 @@ Dirección: %4 non - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - Transactions with higher priority are more likely to get included into a block. As transacción con maior prioridade teñen máis posibilidades de ser incluidas nun bloque - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (sen etiqueta) - change from %1 (%2) - - - (change) (cambio) @@ -841,12 +741,12 @@ Dirección: %4 Modificar dirección para enviar - The entered address "%1" is already in the address book. - A dirección introducida "%1" xa está no libro de direccións. + The entered address "%1" is already in the address book. + A dirección introducida "%1" xa está no libro de direccións. - The entered address "%1" is not a valid Bitcoin address. - A dirección introducida '%1' non é unha dirección Bitcoin válida. + The entered address "%1" is not a valid Bitcoin address. + A dirección introducida '%1' non é unha dirección Bitcoin válida. Could not unlock wallet. @@ -883,10 +783,6 @@ Dirección: %4 HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Core de Bitcoin @@ -907,18 +803,14 @@ Dirección: %4 opcións de UI - Set language, for example "de_DE" (default: system locale) - Fixar idioma, por exemplo "de_DE" (por defecto: locale del sistema) + Set language, for example "de_DE" (default: system locale) + Fixar idioma, por exemplo "de_DE" (por defecto: locale del sistema) Start minimized Comezar minimizado - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Amosar pantalla splash no arranque (por defecto: 1) @@ -934,18 +826,6 @@ Dirección: %4 Benvido - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - Use the default data directory Empregar o directorio de datos por defecto @@ -958,8 +838,8 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Erro: O directorio de datos especificado "%1" non pode ser creado. + Error: Specified data directory "%1" can not be created. + Erro: O directorio de datos especificado "%1" non pode ser creado. Error @@ -1024,34 +904,6 @@ Dirección: %4 &Comezar Bitcoin ao facer login no sistema - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - Reset all client options to default. Restaurar todas as opcións de cliente ás por defecto @@ -1064,30 +916,6 @@ Dirección: %4 &Rede - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Abrir automáticamente o porto do cliente Bitcoin no router. Esto so funciona se o teu router soporta UPnP e está habilitado. @@ -1164,10 +992,6 @@ Dirección: %4 &Visualizar direccións na listaxe de transaccións - Whether to show coin control features or not. - - - &OK &OK @@ -1180,26 +1004,10 @@ Dirección: %4 por defecto - none - - - Confirm options reset Confirmar opcións de restaurar - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - The supplied proxy address is invalid. A dirección de proxy suministrada é inválida. @@ -1219,18 +1027,10 @@ Dirección: %4 Moedeiro - Available: - - - Your current spendable balance O teu balance actualmente dispoñible - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Total de transaccións que aínda teñen que ser confirmadas, e non contan todavía dentro do balance gastable @@ -1278,34 +1078,6 @@ Dirección: %4 Erro na petición de pago - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - Refund from %1 Devolución dende %1 @@ -1314,10 +1086,6 @@ Dirección: %4 Erro comunicando con %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Responsa errónea do servidor %1 @@ -1337,22 +1105,14 @@ Dirección: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Erro: O directorio de datos especificado "%1" non existe. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Erro: O directorio de datos especificado "%1" non existe. Error: Invalid combination of -regtest and -testnet. Erro: combinación inválida de -regtest e -testnet. - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduce unha dirección Bitcoin (exemplo: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1371,11 +1131,7 @@ Dirección: %4 Save QR Code Gardar Código QR - - PNG Image (*.png) - - - + RPCConsole @@ -1395,14 +1151,6 @@ Dirección: %4 &Información - Debug window - - - - General - - - Using OpenSSL version Usar versión OpenSSL @@ -1415,10 +1163,6 @@ Dirección: %4 Rede - Name - - - Number of connections Número de conexións @@ -1546,22 +1290,6 @@ Dirección: %4 R&eutilizar unha dirección para recibir existente (non recomendado) - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - Clear all fields of the form. Limpar todos os campos do formulario @@ -1570,38 +1298,14 @@ Dirección: %4 Limpar - Requested payments history - - - &Request payment &Solicitar pago - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label Copiar etiqueta - Copy message - - - Copy amount Copiar cantidade @@ -1683,15 +1387,7 @@ Dirección: %4 (no label) (sen etiqueta) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1699,22 +1395,6 @@ Dirección: %4 Moedas Enviadas - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - Quantity: Cantidade: @@ -1735,26 +1415,10 @@ Dirección: %4 Pago: - Low Output: - - - - After Fee: - - - Change: Cambiar: - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Enviar a múltiples receptores á vez @@ -1815,22 +1479,10 @@ Dirección: %4 Copiar prioridade - Copy low output - - - Copy change Copiar cambio - Total Amount %1 (= %2) - - - - or - - - The recipient address is not valid, please recheck. A dirección de recepción non é válida, por favor compróbea. @@ -1851,14 +1503,6 @@ Dirección: %4 Atopouse dirección duplicada, so se pode enviar a cada dirección unha vez por operación. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - Warning: Invalid Bitcoin address Atención: Enderezo Bitcoin non válido @@ -1934,10 +1578,6 @@ Dirección: %4 Eliminar esta entrada - Message: - - - This is a verified payment request. Esta é unha solicitude de pago verificada @@ -1946,10 +1586,6 @@ Dirección: %4 Introduce unha etiqueta para esta dirección para engadila á listaxe de direccións empregadas - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - This is an unverified payment request. Esta é unha solicitude de pago non verificada @@ -1964,15 +1600,7 @@ Dirección: %4 ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -2064,8 +1692,8 @@ Dirección: %4 Introduza unha dirección Bitcoin (exemplo: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Click en "Asinar Mensaxe" para xerar sinatura + Click "Sign Message" to generate signature + Click en "Asinar Mensaxe" para xerar sinatura The entered address is invalid. @@ -2145,10 +1773,6 @@ Dirección: %4 Aberto ata %1 - conflicted - - - %1/offline %1/fóra de liña @@ -2164,10 +1788,6 @@ Dirección: %4 Status Estado - - , broadcast through %n node(s) - , propagado a % nodo, propagado a % nodos - Date Data @@ -2200,10 +1820,6 @@ Dirección: %4 Credit Crédito - - matures in %n more block(s) - madura nun bloque máismadura en %n bloques máis - not accepted non aceptado @@ -2237,8 +1853,8 @@ Dirección: %4 Comerciante - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - As moedas xeradas deben madurar %1 bloques antes de que poidan ser gastadas. Cando xeraste este bloque, foi propagado á rede para ser engadido á cadeas de bloques. Se falla ao tentar meterse na cadea, o seu estado cambiará a "non aceptado" e non poderá ser gastado. Esto pode ocorrir ocasionalmente se outro nodo xera un bloque en poucos segundos de diferencia co teu. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + As moedas xeradas deben madurar %1 bloques antes de que poidan ser gastadas. Cando xeraste este bloque, foi propagado á rede para ser engadido á cadeas de bloques. Se falla ao tentar meterse na cadea, o seu estado cambiará a "non aceptado" e non poderá ser gastado. Esto pode ocorrir ocasionalmente se outro nodo xera un bloque en poucos segundos de diferencia co teu. Debug information @@ -2268,10 +1884,6 @@ Dirección: %4 , has not been successfully broadcast yet , non foi propagado con éxito todavía - - Open for %n more block(s) - Abrir para %s bloque máisAbrir para %n bloques máis - unknown descoñecido @@ -2306,10 +1918,6 @@ Dirección: %4 Amount Cantidade - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Abrir para %n bloque máisAbrir para %n bloques máis @@ -2331,22 +1939,6 @@ Dirección: %4 Xerado pero non aceptado - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Recibido con @@ -2650,10 +2242,6 @@ Dirección: %4 Aceptar liña de comandos e comandos JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Executar no fondo como un demo e aceptar comandos @@ -2675,7 +2263,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, debes fixar unha rpcpassword no arquivo de configuración: %s @@ -2686,7 +2274,7 @@ rpcpassword=%s O nome do usuario e o contrasinal DEBEN NON ser o mesmo. Se o arquivo non existe, debes crealo con permisos de so lectura para o propietario. Tamén é recomendable fixar alertnotify de modo que recibas notificación dos problemas; -por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2702,22 +2290,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Enlazar a unha dirección dada e escoitar sempre nela. Emprega a notación [host]:post para IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Entra en modo de test de regresión, que emprega unha cadea especial na que os bloques poden ser resoltos instantáneamente. Esto está pensado para ferramentes de testing de regresión e desenvolvemento de aplicacións. - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Erro: A transacción foi rexeitada! Esto podería suceder se unha das moedas do teu moedeiro xa foi gastada, como se usas unha copia de wallet.dat e hai moedas que se gastaron na copia pero non foron marcadas como gastadas aquí. @@ -2730,47 +2306,15 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Executar comando cando unha transacción do moedeiro cambia (%s no comando é substituído por TxID) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications Esta é unha build de test pre-lanzamento - emprégaa baixo o teu propio risco - non empregar para minado ou aplicacións de comerciantes - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Precaución: -paytxfee está posto moi algo! Esta é a tarifa de transacción que ti pagarás se envías unha transacción. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Precaución; Por favor revisa que a data e hora do teu ordenador son correctas! Se o teu reloxo está equivocato Bitcoin non funcionará adecuadamente. @@ -2790,14 +2334,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Precaución: wallet.dat corrupto, datos salvagardados! O wallet.dat orixinal foi gardado como wallet.{timestamp}.bak en %s; se o teu balance ou transaccións son incorrectas deberías restauralas dende unha copia de seguridade. - (default: 1) - - - - (default: wallet.dat) - - - <category> can be: <categoría> pode ser: @@ -2806,54 +2342,26 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Tentar recuperar claves privadas dende un wallet.dat corrupto - Bitcoin Core Daemon - - - Block creation options: Opcións de creación de bloque: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Conectar so ao(s) nodo(s) especificado(s) - Connect through SOCKS proxy - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) Conectar a JSON-RPC no <porto> (por defecto: 8332 ou testnet: 18332) - Connection options: - - - Corrupted block database detected Detectada base de datos de bloques corrupta. - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Descobrir dirección IP propia (por defecto: 1 se á escoita e non -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Queres reconstruír a base de datos de bloques agora? @@ -2930,22 +2438,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fallou a escritura dos datos para desfacer - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Atopar pares usando lookup DNS (por defecto: 1 agás -connect) - Force safe mode (default: 0) - - - Generate coins (default: 0) Xerar moedas (por defecto: 0) @@ -2954,50 +2450,22 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cantos bloques para chequear ao arrancar (por defecto: 288, 0 = todos) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - Incorrect or no genesis block found. Wrong datadir for network? Bloque genesis incorrecto o no existente. Datadir erróneo para a rede? - Invalid -onion address: '%s' - Dirección -onion inválida: '%s' + Invalid -onion address: '%s' + Dirección -onion inválida: '%s' Not enough file descriptors available. Non hai suficientes descritores de arquivo dispoñibles. - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Reconstruír índice de cadea de bloque dende os ficheiros actuais blk000??.dat - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - Set the number of threads to service RPC calls (default: 4) Fixar o número de fíos para as chamadas aos servicios RPC (por defecto: 4) @@ -3006,14 +2474,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Especificar arquivo do moedeiro (dentro do directorio de datos) - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - Usage (deprecated, use bitcoin-cli): Emprego (desaconsellado, usar bitcoin-cli) @@ -3026,22 +2486,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Verificando moedeiro... - Wait for RPC server to start - - - Wallet %s resides outside data directory %s O moedeiro %s reside fóra do directorio de datos %s - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - You need to rebuild the database using -reindex to change -txindex Precisas reconstruír a base de datos empregando -reindex para cambiar -txindex @@ -3050,40 +2498,20 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Importa bloques dende arquivos blk000??.dat externos - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) Executar comando cando se recibe unha alerta relevante ou vemos un fork realmente longo (%s no cmd é substituído pola mensaxe) - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Información - Invalid amount for -minrelaytxfee=<amount>: '%s' - Cantidade inválida para -minrelaytxfee=<cantidade>: '%s' - - - Invalid amount for -mintxfee=<amount>: '%s' - Cantidade inválida para -mintxfee=<cantidade>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Cantidade inválida para -minrelaytxfee=<cantidade>: '%s' - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Cantidade inválida para -mintxfee=<cantidade>: '%s' Maintain a full transaction index (default: 0) @@ -3106,42 +2534,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Conectar so a nodos na rede <net> (IPv4, IPv6 ou Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opcións SSL: (ver ńa Wiki Bitcoin as instrucción de configuración de SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Enviar traza/información de depuración á consola en lugar de ao arquivo debug.log @@ -3150,18 +2546,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fixar tamaño mínimo de bloque en bytes (por defecto: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Recortar o arquivo debug.log ao arrancar o cliente (por defecto: 1 cando no-debug) @@ -3174,10 +2558,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Especificar tempo límite da conexión en milisegundos (por defecto: 5000) - Start Bitcoin Core Daemon - - - System error: Erro do sistema: @@ -3214,14 +2594,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Precaución: Esta versión é obsoleta, precísase unha actualización! - Zapping all transactions from wallet... - - - - on startup - - - version versión @@ -3302,28 +2674,28 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Erro cargando wallet.dat - Invalid -proxy address: '%s' - Dirección -proxy inválida: '%s' + Invalid -proxy address: '%s' + Dirección -proxy inválida: '%s' - Unknown network specified in -onlynet: '%s' - Rede descoñecida especificada en -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Rede descoñecida especificada en -onlynet: '%s' Unknown -socks proxy version requested: %i Versión solicitada de proxy -socks descoñecida: %i - Cannot resolve -bind address: '%s' - Non se pode resolver a dirección -bind: '%s' + Cannot resolve -bind address: '%s' + Non se pode resolver a dirección -bind: '%s' - Cannot resolve -externalip address: '%s' - Non se pode resolver dirección -externalip: '%s' + Cannot resolve -externalip address: '%s' + Non se pode resolver dirección -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Cantidade inválida para -paytxfee=<cantidade>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Cantidade inválida para -paytxfee=<cantidade>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_gu_IN.ts b/src/qt/locale/bitcoin_gu_IN.ts index 66b341545e4..c154b690be0 100644 --- a/src/qt/locale/bitcoin_gu_IN.ts +++ b/src/qt/locale/bitcoin_gu_IN.ts @@ -1,3360 +1,107 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - - Double-click to edit address or label - - - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - + ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - + SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - + TrafficGraphWidget - - KB/s - - - + TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - + TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - + TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - + TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - + WalletFrame - - No wallet has been loaded. - - - + WalletModel - - Send Coins - - - + WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_he.ts b/src/qt/locale/bitcoin_he.ts index 73378535a75..0af8b0e7f1b 100644 --- a/src/qt/locale/bitcoin_he.ts +++ b/src/qt/locale/bitcoin_he.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -7,7 +7,7 @@ <b>Bitcoin Core</b> version - <b>קליינט ביטקוין</b> גירסאת + <b>ליבת ביטקוין</b> גרסה @@ -21,7 +21,7 @@ This product includes software developed by the OpenSSL Project for use in the O מופצת תחת רישיון התוכנה MIT/X11, ראה את הקובץ המצורף COPYING או http://www.opensource.org/licenses/mit-license.php. -המוצר הזה כולל תוכנה שפותחה ע"י פרויקט OpenSSL לשימוש בתיבת הכלים OpenSSL (http://www.openssl.org/) ותוכנה קריפטוגרפית שנכתבה ע"י אריק יאנג (eay@cryptsoft.com) ותוכנת UPnP שנכתבה ע"י תומס ברנרד. +המוצר הזה כולל תוכנה שפותחה ע"י פרויקט OpenSSL לשימוש בתיבת הכלים OpenSSL (http://www.openssl.org/) ותוכנה קריפטוגרפית שנכתבה ע"י אריק יאנג (eay@cryptsoft.com) ותוכנת UPnP שנכתבה ע"י תומס ברנרד. Copyright @@ -29,11 +29,11 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers - + מתכנתי ליבת ביטקוין (%1-bit) - + (%1-סיביות) @@ -130,11 +130,7 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed הייצוא נכשל - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -273,7 +269,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + מפרק Show general overview of wallet @@ -325,15 +321,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + כתובת ה&שליחה… &Receiving addresses... - + כתובות ה&קבלה… Open &URI... - + פתיחת &כתובת… Importing blocks from disk... @@ -449,24 +445,20 @@ This product includes software developed by the OpenSSL Project for use in the O Open a bitcoin: URI or payment request - + פתח ביטקוין: URI או בקשת תשלום &Command-line options - + אפשרויות &שורת הפקודה Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + הצגת הודעות העזרה של ליבת ביטקוין כדי לקבל רשימה עם אפשרויות שורת הפקודה האפשריות של ביטקוין Bitcoin client תוכנת ביטקוין - - %n active connection(s) to Bitcoin network - חיבור פעיל אחד לרשת הביטקוין%n חיבורים פעילים לרשת הביטקוין - No block source available... אין קוד נתון @@ -493,15 +485,7 @@ This product includes software developed by the OpenSSL Project for use in the O %1 and %2 - - - - %n year(s) - - - - %1 behind - 1% מאחור + %1 ו%2 Last received block was generated %1 ago. @@ -574,7 +558,7 @@ Address: %4 CoinControlDialog Coin Control Address Selection - + בחירת כתובת שליטת מטבעות Quantity: @@ -598,7 +582,7 @@ Address: %4 Low Output: - + פלט נמוך: After Fee: @@ -662,11 +646,11 @@ Address: %4 Lock unspent - + נעל יתרה Unlock unspent - + פתח יתרה Copy quantity @@ -690,7 +674,7 @@ Address: %4 Copy low output - + העתק פלט נמוך Copy change @@ -733,12 +717,8 @@ Address: %4 הכי נמוך - (%1 locked) - - - none - + ללא Dust @@ -769,24 +749,12 @@ Address: %4 העברות עם עדיפות גבוהה, יותר סיכוי שיכנסו לתוך הבלוק - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - התווית הזו הופכת לאדומה, אם אחד מהנמענים מקבל סכום אשר קטן מ 1% - - - This means a fee of at least %1 is required. - זה אומר שצריך לפחות 1% עמלה + This label turns red, if the priority is smaller than "medium". + תווית זו מאדימה אם העדיפות היא פחות מ„בינוני“ Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + סכומים נמוכים מ 0.546 כפול מינימום סכום ההעברה מופיעים כאבק (no label) @@ -840,12 +808,12 @@ Address: %4 ערוך כתובת לשליחה - The entered address "%1" is already in the address book. - הכתובת שהכנסת "%1" כבר נמצאת בפנקס הכתובות. + The entered address "%1" is already in the address book. + הכתובת שהכנסת "%1" כבר נמצאת בפנקס הכתובות. - The entered address "%1" is not a valid Bitcoin address. - הכתובת שהוכנסה "%1" אינה כתובת ביטקוין תקינה. + The entered address "%1" is not a valid Bitcoin address. + הכתובת שהוכנסה "%1" אינה כתובת ביטקוין תקינה. Could not unlock wallet. @@ -882,10 +850,6 @@ Address: %4 HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core ליבת ביטקוין @@ -906,8 +870,8 @@ Address: %4 אפשרויות ממשק - Set language, for example "de_DE" (default: system locale) - קבע שפה, למשל "he_il" (ברירת מחדל: שפת המערכת) + Set language, for example "de_DE" (default: system locale) + קבע שפה, למשל "he_il" (ברירת מחדל: שפת המערכת) Start minimized @@ -915,7 +879,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + הגדרות אישורי בסיס של SSL לבקשות תשלום (בררת המחדל: -מערכת-) Show splash screen on startup (default: 1) @@ -923,7 +887,7 @@ Address: %4 Choose data directory on startup (default: 0) - + בחירת תיקיית נתונים עם ההפעלה (בררת מחדל: 0) @@ -957,8 +921,8 @@ Address: %4 ביטקוין - Error: Specified data directory "%1" can not be created. - שגיאה: אי אפשר ליצור את התיקיה "%1" + Error: Specified data directory "%1" can not be created. + שגיאה: אי אפשר ליצור את התיקיה "%1" Error @@ -966,11 +930,11 @@ Address: %4 GB of free space available - ג"ב של שטח אחסון פנוי + ג"ב של שטח אחסון פנוי (of %1GB needed) - (מתוך %1 ג"ב נחוצים) + (מתוך %1 ג"ב נחוצים) @@ -981,7 +945,7 @@ Address: %4 Open payment request from URI or file - + פתח בקשת תשלום מ-URI או קובץ URI: @@ -1024,7 +988,7 @@ Address: %4 Size of &database cache - + גודל מ&טמון מסד הנתונים MB @@ -1032,23 +996,31 @@ Address: %4 Number of script &verification threads - + מספר תהליכי ה&אימות של הסקריפט Connect to the Bitcoin network through a SOCKS proxy. - + התחברות לרשת ביטקוין דרך מתווך SOCKS. &Connect through SOCKS proxy (default proxy): - + הת&חברות באמצעות מתווך SOCKS (מתווך בררת מחדל): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + כתובת ה־IP של המתווך (לדוגמה IPv4: 127.0.0.1‏ / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + כתובות צד־שלישי (כגון: סייר מקטעים) שמופיעים בלשונית ההעברות בתור פריטים בתפריט ההקשר. %s בכתובת מוחלף בגיבוב ההעברה. מספר כתובות יופרדו בפס אנכי |. + + + Third party transaction URLs + כתובות העברה צד־שלישי Active command-line options that override above options: - + אפשרויות פעילות בשורת הפקודה שדורסות את האפשרויות שלהלן: Reset all client options to default. @@ -1064,31 +1036,31 @@ Address: %4 (0 = auto, <0 = leave that many cores free) - + (0 = אוטומטי, <0 = להשאיר כזאת כמות של ליבות חופשיות) W&allet - + &ארנק Expert - + מומחה Enable coin &control features - + הפעלת תכונות &בקרת מטבעות If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + אם אפשרות ההשקעה של עודף בלתי מאושר תנוטרל, לא ניתן יהיה להשתמש בעודף מההעברה עד שלהעברה יהיה לפחות אישור אחד. פעולה זו גם משפיעה על חישוב המאזן שלך. &Spend unconfirmed change - + עודף &בלתי מאושר מההשקעה Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - פתח את פורט ביטקוין בנתב באופן אוטומטי. עובד רק אם UPnP מאופשר ונתמך ע"י הנתב. + פתח את פורט ביטקוין בנתב באופן אוטומטי. עובד רק אם UPnP מאופשר ונתמך ע"י הנתב. Map port using &UPnP @@ -1164,7 +1136,7 @@ Address: %4 Whether to show coin control features or not. - + הצג תכונות שליטת מטבע או לא. &OK @@ -1180,7 +1152,7 @@ Address: %4 none - + ללא Confirm options reset @@ -1188,15 +1160,15 @@ Address: %4 Client restart required to activate changes. - + נדרשת הפעלה מחדש של הלקוח כדי להפעיל את השינויים. Client will be shutdown, do you want to proceed? - + הלקוח יכבה, האם להמשיך? This change would require a client restart. - + שינוי זה ידרוש הפעלה מחדש של תכנית הלקוח. The supplied proxy address is invalid. @@ -1219,7 +1191,7 @@ Address: %4 Available: - + זמין: Your current spendable balance @@ -1227,7 +1199,7 @@ Address: %4 Pending: - + בהמתנה: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance @@ -1281,24 +1253,12 @@ Address: %4 לא ניתן להתחיל את ביטקוין: מפעיל לחץ-לתשלום - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - Payment request fetch URL is invalid: %1 - + כתובת אחזור בקשת התשלום שגויה: %1 Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + טיפול בקובצי בקשות תשלום Unverified payment requests to custom payment scripts are unsupported. @@ -1313,10 +1273,6 @@ Address: %4 שגיאה בתקשורת עם %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 מענה שגוי משרת %1 @@ -1336,22 +1292,14 @@ Address: %4 ביטקוין - Error: Specified data directory "%1" does not exist. - שגיאה: הספריה "%1" לא קיימת. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + שגיאה: הספריה "%1" לא קיימת. Error: Invalid combination of -regtest and -testnet. שגיאה: שילוב בלתי חוקי של regtest- ו testnet-. - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) הכנס כתובת ביטקוין (למשל 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1507,11 +1455,7 @@ Address: %4 %1 GB - %1 ג'יגה בייט - - - %1 m - 1% דקות + %1 ג'יגה בייט %1 h @@ -1546,19 +1490,19 @@ Address: %4 An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + הודעת רשות לצירוף לבקשת התשלום שתוצג בעת פתיחת הבקשה. לתשומת לבך: ההודעה לא תישלח עם התשלום ברשת ביטקוין. An optional label to associate with the new receiving address. - + תווית רשות לשיוך עם כתובת הקבלה החדשה. Use this form to request payments. All fields are <b>optional</b>. - + יש להשתמש בטופס זה כדי לבקש תשלומים. כל השדות הם בגדר <b>רשות</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + סכום כרשות לבקשה. ניתן להשאיר זאת ריק כדי לא לבקש סכום מסוים. Clear all fields of the form. @@ -1570,7 +1514,7 @@ Address: %4 Requested payments history - + היסטוריית בקשות תשלום &Request payment @@ -1578,7 +1522,7 @@ Address: %4 Show the selected request (does the same as double clicking an entry) - + הצג בקשות נבחרות (דומה ללחיצה כפולה על רשומה) Show @@ -1586,7 +1530,7 @@ Address: %4 Remove the selected entries from the list - + הסר הרשומות הנבחרות מהרשימה Remove @@ -1598,7 +1542,7 @@ Address: %4 Copy message - + העתקת הודעה Copy amount @@ -1688,7 +1632,7 @@ Address: %4 (no amount) - + (אין סכום) @@ -1735,7 +1679,7 @@ Address: %4 Low Output: - + פלט נמוך: After Fee: @@ -1747,7 +1691,7 @@ Address: %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + אם אפשרות זו מופעלת אך כתובת העודף ריקה או שגויה, העודף יישלח לכתובת חדשה שתיווצר. Custom change address @@ -1815,7 +1759,7 @@ Address: %4 Copy low output - + העתק פלט נמוך Copy change @@ -1823,7 +1767,7 @@ Address: %4 Total Amount %1 (= %2) - + הסכום הכולל %1 (= %2) or @@ -1855,11 +1799,11 @@ Address: %4 The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + ההעברה נדחתה! מצב כזה עשוי לקרות אם חלק מהמטבעות בארנק שלך כבר הושקעו, כמו למשל עקב שימוש בעותק של wallet.dat והמטבעות הושקעו בעותק אבל לא סומנו כאילו הושקעו דרך כאן. Warning: Invalid Bitcoin address - + אזהרה: כתובת ביטקוין שגויה (no label) @@ -1867,7 +1811,7 @@ Address: %4 Warning: Unknown change address - + אזהרה: כתובת עודף בלתי ידועה Are you sure you want to send? @@ -1930,7 +1874,7 @@ Address: %4 Remove this entry - + הסרת רשומה זו Message: @@ -1946,7 +1890,7 @@ Address: %4 A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + הודעה שצורפה לביטקוין: כתובת שתאוחסן בהעברה לצורך מעקב מצדך. לתשומת לבך: הודעה זו לא תישלח ברשת הביטקוין. This is an unverified payment request. @@ -1965,7 +1909,7 @@ Address: %4 ShutdownWindow Bitcoin Core is shutting down... - + ליבת ביטקוין נסגרת… Do not shut down the computer until this window disappears. @@ -2040,7 +1984,7 @@ Address: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - הכנס למטה את הכתובת החותמת, ההודעה (ודא שאתה מעתיק מעברי שורה, רווחים, טאבים וכו' באופן מדויק) והחתימה כדי לאמת את ההודעה. היזהר לא לפרש את החתימה כיותר ממה שמופיע בהודעה החתומה בעצמה, כדי להימנע מליפול קורבן למתקפת איש-באמצע. + הכנס למטה את הכתובת החותמת, ההודעה (ודא שאתה מעתיק מעברי שורה, רווחים, טאבים וכו' באופן מדויק) והחתימה כדי לאמת את ההודעה. היזהר לא לפרש את החתימה כיותר ממה שמופיע בהודעה החתומה בעצמה, כדי להימנע מליפול קורבן למתקפת איש-באמצע. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2063,8 +2007,8 @@ Address: %4 הכנס כתובת ביטקוין (למשל 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - לחץ "חתום על ההודעה" כדי לחולל חתימה + Click "Sign Message" to generate signature + לחץ "חתום על ההודעה" כדי לחולל חתימה The entered address is invalid. @@ -2123,7 +2067,7 @@ Address: %4 The Bitcoin Core developers - + מתכנתי ליבת ביטקוין [testnet] @@ -2145,7 +2089,7 @@ Address: %4 conflicted - + בהתנגשות %1/offline @@ -2163,10 +2107,6 @@ Address: %4 Status מצב - - , broadcast through %n node(s) - , הופץ דרך צומת אחד, הופץ דרך %n צמתים - Date תאריך @@ -2199,10 +2139,6 @@ Address: %4 Credit זיכוי - - matures in %n more block(s) - מבשיל בעוד בלוק אחדמבשיל בעוד %n בלוקים - not accepted לא התקבל @@ -2236,8 +2172,8 @@ Address: %4 סוחר - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - מטבעות חדשים שנוצרו חייבים להבשיל במשך %1 בלוקים לפני שניתן לנצל אותם. כשבלוק זה נוצר הוא שודר ברשת על מנת שייכנס לשרשרת הבלוקים. במקרה והוא לא ייכנס לשרשרת, מצבו ישתנה ל"לא התקבל" ולא ניתן יהיה לנצלו. זה יכול לקרות מדי פעם אם במקרה צומת אחרת ייצרה בלוק בהבדל של שניות בודדות ממך. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + מטבעות חדשים שנוצרו חייבים להבשיל במשך %1 בלוקים לפני שניתן לנצל אותם. כשבלוק זה נוצר הוא שודר ברשת על מנת שייכנס לשרשרת הבלוקים. במקרה והוא לא ייכנס לשרשרת, מצבו ישתנה ל"לא התקבל" ולא ניתן יהיה לנצלו. זה יכול לקרות מדי פעם אם במקרה צומת אחרת ייצרה בלוק בהבדל של שניות בודדות ממך. Debug information @@ -2307,7 +2243,7 @@ Address: %4 Immature (%1 confirmations, will be available after %2) - + לא בשל (%1 אישורים, יהיו זמינים לאחר %2) Open for %n more block(s) @@ -2331,19 +2267,19 @@ Address: %4 Offline - + מנותק Unconfirmed - + ללא אישור Confirming (%1 of %2 recommended confirmations) - + מתקבל אישור (%1 מתוך %2 אישורים מומלצים) Conflicted - + מתנגש Received with @@ -2482,7 +2418,7 @@ Address: %4 There was an error trying to save the transaction history to %1. - + אירעה שגיאה בעת ניסיון לשמור את היסטוריית ההעברות אל %1. Exporting Successful @@ -2571,11 +2507,11 @@ Address: %4 There was an error trying to save the wallet data to %1. - + אירעה שגיאה בעת ניסיון לשמירת נתוני הארנק אל %1. The wallet data was successfully saved to %1. - + נתוני הארנק נשמרו בהצלחה אל %1. Backup Successful @@ -2649,10 +2585,6 @@ Address: %4 קבל פקודות משורת הפקודה ו- JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands רוץ ברקע כדימון וקבל פקודות @@ -2674,7 +2606,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, עליך לקבוע סיסמת RPC בקובץ הקונפיגורציה: %s @@ -2685,7 +2617,7 @@ rpcpassword=%s אסור ששם המשתמש והסיסמא יהיו זהים. אם הקובץ אינו קיים, צור אותו עם הרשאות קריאה לבעלים בלבד. זה מומלץ לסמן alertnotify כדי לקבל דיווח על תקלות; -למשל: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +למשל: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2702,7 +2634,7 @@ rpcpassword=%s Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + להגביל את קצב ההעברות החינמיות באופן מתמשך לכדי ‎<n>*1000 בתים לדקה (בררת מחדל:15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. @@ -2710,11 +2642,7 @@ rpcpassword=%s Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - + כניסה למצב בדיקת נסיגה, שמשתמש בשרשרת מיוחדת בה ניתן לפתור את המקטעים במהירות. Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2729,28 +2657,12 @@ rpcpassword=%s בצע פקודה כאשר פעולת ארנק משתנה (%s ב cmd יוחלף ב TxID) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + העברת הפעילות במסד הנתונים מהזיכרון למאגר בכונן בכל <n> מ״ב (בררת מחדל: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + עד כמה מדוקדק אימות המקטעים של ‎-checkblocks‏ (0-4, בררת מחדל: 3) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2758,18 +2670,18 @@ rpcpassword=%s Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + לא ניתן להתאגד אל %s במחשב זה. כנראה שליבת ביטקוין כבר פועלת. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + שימוש במתווך שונה מסוג SOCKS5 כדי להגיע לעמיתים דרך השירותים הנסתרים של Tor (בררת מחדל: ‏-proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. אזהרה: -paytxfee נקבע לערך מאד גבוה! זוהי עמלת הפעולה שתשלם אם אתה שולח פעולה. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. אזהרה: אנא בדוק שהתאריך והשעה של המחשב שלך נכונים! אם השעון שלך אינו נכון ביטקוין לא יעבוד כראוי. @@ -2790,41 +2702,29 @@ rpcpassword=%s (default: 1) - + (בררת מחדל: 1) (default: wallet.dat) - + (בררת מחדל: wallet.dat) <category> can be: - + <קטגוריה> יכולה להיות: Attempt to recover private keys from a corrupt wallet.dat נסה לשחזר מפתחות פרטיים מקובץ wallet.dat מושחת. - Bitcoin Core Daemon - - - Block creation options: אפשרויות יצירת בלוק: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) התחבר רק לצמתים המצוינים - Connect through SOCKS proxy - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) התחבר ל JSON-RPC ב <port> (ברירת מחדל: 8332 או ברשת בדיקה: 18332) @@ -2838,11 +2738,11 @@ rpcpassword=%s Debugging/Testing options: - + אפשרויות ניפוי/בדיקה: Disable safemode, override a real safe mode event (default: 0) - + נטרול המצב הבטוח, דריסת אירוע אמתי של מצב בטוח (בררת מחדל: 0) Discover own IP address (default: 1 when listening and no -externalip) @@ -2850,7 +2750,7 @@ rpcpassword=%s Do not load the wallet and disable wallet RPC calls - + לא לטעון את הארנק ולנטרל קריאות RPC Do you want to rebuild the block database now? @@ -2933,16 +2833,12 @@ rpcpassword=%s עמלה לכל kB להוסיף לפעולות שאתה שולח - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) - מצא עמיתים ע"י חיפוש DNS (ברירת מחדל: 1 ללא -connect) + מצא עמיתים ע"י חיפוש DNS (ברירת מחדל: 1 ללא -connect) Force safe mode (default: 0) - + כפיית מצב בטוח (בררת מחדל: 0) Generate coins (default: 0) @@ -2954,19 +2850,19 @@ rpcpassword=%s If <category> is not supplied, output all debugging information. - + אם לא סופקה <קטגוריה> יש לייצא את כל פרטי הניפוי. Importing... - + מתבצע יבוא… Incorrect or no genesis block found. Wrong datadir for network? בלוק בראשית הינו שגוי או לא נמצא. ספריית מידע לא נכונה עבור הרשת? - Invalid -onion address: '%s' - כתובת onion- שגויה: '%s' + Invalid -onion address: '%s' + כתובת onion- שגויה: '%s' Not enough file descriptors available. @@ -2974,27 +2870,19 @@ rpcpassword=%s Prepend debug output with timestamp (default: 1) - - - - RPC client options: - + הוספת חותמת הזמן בתחילת שורות פלט הניפוי (בררת מחדל: 1) Rebuild block chain index from current blk000??.dat files בנה מחדש את אינדק שרשרת הבלוקים מקבצי ה-blk000??.dat הנוכחיים. - Select SOCKS version for -proxy (4 or 5, default: 5) - - - Set database cache size in megabytes (%d to %d, default: %d) - + הגדרת גודל מטמון מסדי הנתונים במגה בתים (%d עד %d, בררת מחדל: %d) Set maximum block size in bytes (default: %d) - + הגדרת קובץ מקטע מרבי בבתים (בררת מחדל: %d) Set the number of threads to service RPC calls (default: 4) @@ -3005,12 +2893,8 @@ rpcpassword=%s ציין קובץ ארנק (בתוך ספריית המידע) - Spend unconfirmed change when sending transactions (default: 1) - - - This is intended for regression testing tools and app development. - + תכונה זו מיועדת לכלי בדיקות נסיגה ופיתוח יישומים. Usage (deprecated, use bitcoin-cli): @@ -3025,20 +2909,12 @@ rpcpassword=%s מאמת את יושרת הארנק... - Wait for RPC server to start - - - Wallet %s resides outside data directory %s הארנק %s יושב מחוץ לספריית המידע %s Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - + אפשרויות הארנק: You need to rebuild the database using -reindex to change -txindex @@ -3049,40 +2925,28 @@ rpcpassword=%s מייבא בלוקים מקובצי blk000??.dat חיצוניים - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - הרץ פקודה כאשר ההתראה הרלוונטית מתקבלת או כשאנחנו עדים לפיצול ארוך מאוד (%s בשורת הפקודה יוחלף ע"י ההודעה) + הרץ פקודה כאשר ההתראה הרלוונטית מתקבלת או כשאנחנו עדים לפיצול ארוך מאוד (%s בשורת הפקודה יוחלף ע"י ההודעה) Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + הוצאת פלט של נתוני ניפוי (בררת מחדל: 0, אפשר לספק <קטגוריה>) Information מידע - Invalid amount for -minrelaytxfee=<amount>: '%s' - כמות לא תקינה עבור -paytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + כמות לא תקינה עבור -paytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - כמות לא תקינה עבור -paytxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + כמות לא תקינה עבור -paytxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + להגביל את גודל המטמון ל־<n> רשומות (בררת מחדל: 50000) Maintain a full transaction index (default: 0) @@ -3106,15 +2970,15 @@ rpcpassword=%s Print block on startup, if found in block index - + הצגת מקטע בהפעלה, אם נמצא במפתח המקטעים Print block tree on startup (default: 0) - + הצגת עץ המקטעים בהפעלה (בררת מחדל: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + אפשרויות RPC SSL: (נא לעיין בוויקי של ביטקוין לקבלת הנחיות על הגדרת SSL) RPC server options: @@ -3122,25 +2986,13 @@ rpcpassword=%s Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + להשמיט אקראית אחת מתוך כל <n> הודעות רשת SSL options: (see the Bitcoin Wiki for SSL setup instructions) אפשרויות SSL: (ראה את הויקי של ביטקוין עבור הוראות הגדרת SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file שלח מידע דיבאג ועקבה לקונסולה במקום לקובץ debug.log @@ -3150,15 +3002,11 @@ rpcpassword=%s Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + הגדרת הדגל DB_PRIVATE בסביבת מסד הנתונים של הארנק (בררת מחדל: 1) Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - + הצגת כל אפשרויות הניפוי (שימוש: ‎--help -help-debug) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3173,10 +3021,6 @@ rpcpassword=%s ציין הגבלת זמן לחיבור במילישניות (ברירת מחדל: 5000) - Start Bitcoin Core Daemon - - - System error: שגיאת מערכת: @@ -3213,10 +3057,6 @@ rpcpassword=%s אזהרה: הגרסה הזאת מיושנת, יש צורך בשדרוג! - Zapping all transactions from wallet... - - - on startup בפתיחה @@ -3301,28 +3141,28 @@ rpcpassword=%s שגיאה בטעינת הקובץ wallet.dat - Invalid -proxy address: '%s' - כתובת -proxy לא תקינה: '%s' + Invalid -proxy address: '%s' + כתובת -proxy לא תקינה: '%s' - Unknown network specified in -onlynet: '%s' - רשת לא ידועה צוינה ב- -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + רשת לא ידועה צוינה ב- -onlynet: '%s' Unknown -socks proxy version requested: %i התבקשה גרסת פרוקסי -socks לא ידועה: %i - Cannot resolve -bind address: '%s' - לא מסוגל לפתור כתובת -bind: '%s' + Cannot resolve -bind address: '%s' + לא מסוגל לפתור כתובת -bind: '%s' - Cannot resolve -externalip address: '%s' - לא מסוגל לפתור כתובת -externalip: '%s' + Cannot resolve -externalip address: '%s' + לא מסוגל לפתור כתובת -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - כמות לא תקינה עבור -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + כמות לא תקינה עבור -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_hi_IN.ts b/src/qt/locale/bitcoin_hi_IN.ts index d27e26b871c..ddffc94018d 100644 --- a/src/qt/locale/bitcoin_hi_IN.ts +++ b/src/qt/locale/bitcoin_hi_IN.ts @@ -1,36 +1,11 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - Copyright कापीराइट - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -42,70 +17,18 @@ This product includes software developed by the OpenSSL Project for use in the O नया पता लिखिए ! - &New - - - Copy the currently selected address to the system clipboard चुनिन्दा पते को सिस्टम क्लिपबोर्ड पर कापी करे ! - &Copy - - - - C&lose - - - &Copy Address &पता कॉपी करे - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete &मिटाए !! - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label &लेबल कॉपी करे @@ -114,22 +37,10 @@ This product includes software developed by the OpenSSL Project for use in the O &एडिट - Export Address List - - - Comma separated file (*.csv) Comma separated file (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +59,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase पहचान शब्द/अक्षर डालिए ! @@ -200,30 +107,10 @@ This product includes software developed by the OpenSSL Project for use in the O वॉलेट एनक्रिपशन को प्रमाणित कीजिए ! - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted वॉलेट एनक्रिप्ट हो गया ! - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed वॉलेट एनक्रिप्ट नही हुआ! @@ -247,18 +134,10 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed वॉलेट का डीक्रिप्ट-ष्ण असफल ! - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... नेटवर्क से समकालिक (मिल) रहा है ... @@ -267,10 +146,6 @@ This product includes software developed by the OpenSSL Project for use in the O &विवरण - Node - - - Show general overview of wallet वॉलेट का सामानया विवरण दिखाए ! @@ -296,78 +171,18 @@ This product includes software developed by the OpenSSL Project for use in the O बीटकोइन के बारे में जानकारी ! - About &Qt - - - - Show information about Qt - - - &Options... &विकल्प - &Encrypt Wallet... - - - &Backup Wallet... &बैकप वॉलेट - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - Change the passphrase used for wallet encryption पहचान शब्द/अक्षर जो वॉलेट एनक्रिपशन के लिए इस्तेमाल किया है उसे बदलिए! - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - Bitcoin बीटकोइन @@ -376,34 +191,6 @@ This product includes software developed by the OpenSSL Project for use in the O वॉलेट - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File &फाइल @@ -423,58 +210,10 @@ This product includes software developed by the OpenSSL Project for use in the O [testnet] [टेस्टनेट] - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - %n active connection(s) to Bitcoin network %n सक्रिया संपर्क बीटकोइन नेटवर्क से%n सक्रिया संपर्क बीटकोइन नेटवर्क से - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - %n hour(s) %n घंटा%n घंटे @@ -488,26 +227,10 @@ This product includes software developed by the OpenSSL Project for use in the O %n हफ़्ता%n हफ्ते - %1 and %2 - - - - %n year(s) - - - %1 behind %1 पीछे - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - Error भूल @@ -524,10 +247,6 @@ This product includes software developed by the OpenSSL Project for use in the O नवीनतम - Catching up... - - - Sent transaction भेजी ट्रांजक्शन @@ -554,69 +273,17 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> वॉलेट एन्क्रिप्टेड है तथा अभी लॉक्ड है - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: राशि : - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount राशि @@ -629,18 +296,10 @@ Address: %4 taareek - Confirmations - - - Confirmed पक्का - Priority - - - Copy address पता कॉपी करे @@ -653,2693 +312,647 @@ Address: %4 कॉपी राशि - Copy transaction ID - - - - Lock unspent - + (no label) + (कोई लेबल नही !) + + + EditAddressDialog - Unlock unspent - + Edit Address + पता एडिट करना - Copy quantity - + &Label + &लेबल - Copy fee - + &Address + &पता - Copy after fee - + New receiving address + नया स्वीकार्य पता - Copy bytes - + New sending address + नया भेजने वाला पता - Copy priority - + Edit receiving address + एडिट स्वीकार्य पता - Copy low output - + Edit sending address + एडिट भेजने वाला पता - Copy change - + The entered address "%1" is already in the address book. + डाला गया पता "%1" एड्रेस बुक में पहले से ही मोजूद है| - highest - + Could not unlock wallet. + वॉलेट को unlock नहीं किया जा सकता| - higher - + New key generation failed. + नयी कुंजी का निर्माण असफल रहा| + + + FreespaceChecker + + + HelpMessageDialog - high - + version + संस्करण - medium-high - + Usage: + खपत : + + + Intro - medium - + Bitcoin + बीटकोइन - low-medium - + Error + भूल + + + OpenURIDialog + + + OptionsDialog - low - + Options + विकल्प - lower - + &OK + &ओके - lowest - + &Cancel + &कैन्सल + + + OverviewPage - (%1 locked) - + Form + फार्म - none - + Wallet + वॉलेट - Dust - + <b>Recent transactions</b> + <b>हाल का लेन-देन</b> + + + PaymentServer + + + QObject - yes - + Bitcoin + बीटकोइन - no - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Bitcoin एड्रेस लिखें (उदाहरण: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole - This label turns red, if the transaction size is greater than 1000 bytes. - + N/A + लागू नही + - This means a fee of at least %1 per kB is required. - + &Information + जानकारी + + + ReceiveCoinsDialog - Can vary +/- 1 byte per input. - + &Label: + लेबल: - Transactions with higher priority are more likely to get included into a block. - + Copy label + लेबल कॉपी करे - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (कोई लेबल नही !) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - पता एडिट करना - - - &Label - &लेबल - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &पता - - - New receiving address - नया स्वीकार्य पता - - - New sending address - नया भेजने वाला पता - - - Edit receiving address - एडिट स्वीकार्य पता - - - Edit sending address - एडिट भेजने वाला पता - - - The entered address "%1" is already in the address book. - डाला गया पता "%1" एड्रेस बुक में पहले से ही मोजूद है| - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - वॉलेट को unlock नहीं किया जा सकता| - - - New key generation failed. - नयी कुंजी का निर्माण असफल रहा| - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - संस्करण - - - Usage: - खपत : - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - बीटकोइन - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - विकल्प - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - &ओके - - - &Cancel - &कैन्सल - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - फार्म - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - वॉलेट - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>हाल का लेन-देन</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - बीटकोइन - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Bitcoin एड्रेस लिखें (उदाहरण: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - लागू नही - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - लेबल: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - लेबल कॉपी करे - - - Copy message - - - - Copy amount - कॉपी राशि - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - पता - - - Amount - राशि - - - Label - लेबल - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - taareek - - - Label - लेबल - - - Message - - - - Amount - राशि - - - (no label) - (कोई लेबल नही !) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - सिक्के भेजें| - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - राशि : - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - एक साथ कई प्राप्तकर्ताओं को भेजें - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - बाकी रकम : - - - Confirm the send action - भेजने की पुष्टि करें - - - S&end - - - - Confirm send coins - सिक्के भेजने की पुष्टि करें - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - कॉपी राशि - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - भेजा गया अमाउंट शुन्य से अधिक होना चाहिए| - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (कोई लेबल नही !) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - अमाउंट: - - - Pay &To: - प्राप्तकर्ता: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - आपकी एड्रेस बुक में इस एड्रेस के लिए एक लेबल लिखें - - - &Label: - लेबल: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt-A - - - Paste address from clipboard - Clipboard से एड्रेस paste करें - - - Alt+P - Alt-P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt-A - - - Paste address from clipboard - Clipboard से एड्रेस paste करें - - - Alt+P - Alt-P - - - Enter the message you want to sign here - - - - Signature - हस्ताक्षर - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Bitcoin एड्रेस लिखें (उदाहरण: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - खुला है जबतक %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/अपुष्ट - - - %1 confirmations - %1 पुष्टियाँ - - - Status - - - - , broadcast through %n node(s) - - - - Date - taareek - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - राशि - - - true - सही - - - false - ग़लत - - - , has not been successfully broadcast yet - , अभी तक सफलतापूर्वक प्रसारित नहीं किया गया है - - - Open for %n more block(s) - - - - unknown - अज्ञात - - - - TransactionDescDialog - - Transaction details - लेन-देन का विवरण - - - This pane shows a detailed description of the transaction - ये खिड़की आपको लेन-देन का विस्तृत विवरण देगी ! - - - - TransactionTableModel - - Date - taareek - - - Type - टाइप - - - Address - पता - - - Amount - राशि - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - खुला है जबतक %1 - - - Confirmed (%1 confirmations) - पक्के ( %1 पक्का करना) - - - This block was not received by any other nodes and will probably not be accepted! - यह ब्लॉक किसी भी और नोड को मिला नही है ! शायद यह ब्लॉक कोई भी नोड स्वीकारे गा नही ! - - - Generated but not accepted - जेनरेट किया गया किंतु स्वीकारा नही गया ! - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - स्वीकारा गया - - - Received from - स्वीकार्य ओर से - - - Sent to - भेजा गया - - - Payment to yourself - भेजा खुद को भुगतान - - - Mined - माइंड - - - (n/a) - (लागू नहीं) - - - Transaction status. Hover over this field to show number of confirmations. - ट्रांसेक्शन स्तिथि| पुष्टियों की संख्या जानने के लिए इस जगह पर माउस लायें| - - - Date and time that the transaction was received. - तारीख तथा समय जब ये ट्रांसेक्शन प्राप्त हुई थी| - - - Type of transaction. - ट्रांसेक्शन का प्रकार| - - - Destination address of transaction. - ट्रांसेक्शन की मंजिल का पता| - - - Amount removed from or added to balance. - अमाउंट बैलेंस से निकला या जमा किया गया | - - - - TransactionView - - All - सभी - - - Today - आज - - - This week - इस हफ्ते - - - This month - इस महीने - - - Last month - पिछले महीने - - - This year - इस साल - - - Range... - विस्तार... - - - Received with - स्वीकार करना - - - Sent to - भेजा गया - - - To yourself - अपनेआप को - - - Mined - माइंड - - - Other - अन्य - - - Enter address or label to search - ढूँदने के लिए कृपा करके पता या लेबल टाइप करे ! - - - Min amount - लघुत्तम राशि - - - Copy address - पता कॉपी करे - - - Copy label - लेबल कॉपी करे - - - Copy amount - कॉपी राशि - - - Copy transaction ID - - - - Edit label - एडिट लेबल - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - + Copy amount + कॉपी राशि + + + ReceiveRequestDialog - The transaction history was successfully saved to %1. - + Address + पता - Comma separated file (*.csv) - Comma separated file (*.csv) + Amount + राशि - Confirmed - पक्का + Label + लेबल + + + RecentRequestsTableModel Date taareek - Type - टाइप - - Label लेबल - Address - पता - - Amount राशि - ID - ID - - - Range: - विस्तार: - - - to - तक - - - - WalletFrame - - No wallet has been loaded. - + (no label) + (कोई लेबल नही !) - + - WalletModel + SendCoinsDialog Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - बैकप वॉलेट - - - Wallet Data (*.dat) - वॉलेट डेटा (*.dat) - - - Backup Failed - बैकप असफल - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - बैकप सफल - - - - bitcoin-core - - Usage: - खपत : - - - List commands - commands की लिस्ट बनाएं - - - Get help for a command - किसी command के लिए मदद लें - - - Options: - विकल्प: - - - Specify configuration file (default: bitcoin.conf) - configuraion की फाइल का विवरण दें (default: bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - pid फाइल का विवरण दें (default: bitcoin.pid) - - - Specify data directory - डेटा डायरेक्टरी बताएं - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - बैकग्राउंड में डेमॉन बन कर रन करे तथा कमांड्स स्वीकार करें - - - Use the test network - टेस्ट नेटवर्क का इस्तेमाल करे - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - + सिक्के भेजें| - Failed to write undo data - + Amount: + राशि : - Fee per kB to add to transactions you send - + Send to multiple recipients at once + एक साथ कई प्राप्तकर्ताओं को भेजें - Fees smaller than this are considered zero fee (for relaying) (default: - + Balance: + बाकी रकम : - Find peers using DNS lookup (default: 1 unless -connect) - + Confirm the send action + भेजने की पुष्टि करें - Force safe mode (default: 0) - + Confirm send coins + सिक्के भेजने की पुष्टि करें - Generate coins (default: 0) - + Copy amount + कॉपी राशि - How many blocks to check at startup (default: 288, 0 = all) - + The amount to pay must be larger than 0. + भेजा गया अमाउंट शुन्य से अधिक होना चाहिए| - If <category> is not supplied, output all debugging information. - + (no label) + (कोई लेबल नही !) + + + SendCoinsEntry - Importing... - + A&mount: + अमाउंट: - Incorrect or no genesis block found. Wrong datadir for network? - + Pay &To: + प्राप्तकर्ता: - Invalid -onion address: '%s' - + Enter a label for this address to add it to your address book + आपकी एड्रेस बुक में इस एड्रेस के लिए एक लेबल लिखें - Not enough file descriptors available. - + &Label: + लेबल: - Prepend debug output with timestamp (default: 1) - + Alt+A + Alt-A - RPC client options: - + Paste address from clipboard + Clipboard से एड्रेस paste करें - Rebuild block chain index from current blk000??.dat files - + Alt+P + Alt-P + + + ShutdownWindow + + + SignVerifyMessageDialog - Select SOCKS version for -proxy (4 or 5, default: 5) - + Alt+A + Alt-A - Set database cache size in megabytes (%d to %d, default: %d) - + Paste address from clipboard + Clipboard से एड्रेस paste करें - Set maximum block size in bytes (default: %d) - + Alt+P + Alt-P - Set the number of threads to service RPC calls (default: 4) - + Signature + हस्ताक्षर - Specify wallet file (within data directory) - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Bitcoin एड्रेस लिखें (उदाहरण: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Spend unconfirmed change when sending transactions (default: 1) - + [testnet] + [टेस्टनेट] + + + TrafficGraphWidget + + + TransactionDesc - This is intended for regression testing tools and app development. - + Open until %1 + खुला है जबतक %1 - Usage (deprecated, use bitcoin-cli): - + %1/unconfirmed + %1/अपुष्ट - Verifying blocks... - ब्लॉक्स जाँचे जा रहा है... + %1 confirmations + %1 पुष्टियाँ - Verifying wallet... - वॉलेट जाँचा जा रहा है... + Date + taareek - Wait for RPC server to start - + Transaction ID + ID - Wallet %s resides outside data directory %s - + Amount + राशि - Wallet options: - + true + सही - Warning: Deprecated argument -debugnet ignored, use -debug=net - + false + ग़लत - You need to rebuild the database using -reindex to change -txindex - + , has not been successfully broadcast yet + , अभी तक सफलतापूर्वक प्रसारित नहीं किया गया है - Imports blocks from external blk000??.dat file - + unknown + अज्ञात + + + TransactionDescDialog - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Transaction details + लेन-देन का विवरण - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + This pane shows a detailed description of the transaction + ये खिड़की आपको लेन-देन का विस्तृत विवरण देगी ! + + + TransactionTableModel - Output debugging information (default: 0, supplying <category> is optional) - + Date + taareek - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Type + टाइप - Information - जानकारी + Address + पता - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Amount + राशि - Invalid amount for -mintxfee=<amount>: '%s' - + Open until %1 + खुला है जबतक %1 - Limit size of signature cache to <n> entries (default: 50000) - + Confirmed (%1 confirmations) + पक्के ( %1 पक्का करना) - Log transaction priority and fee per kB when mining blocks (default: 0) - + This block was not received by any other nodes and will probably not be accepted! + यह ब्लॉक किसी भी और नोड को मिला नही है ! शायद यह ब्लॉक कोई भी नोड स्वीकारे गा नही ! - Maintain a full transaction index (default: 0) - + Generated but not accepted + जेनरेट किया गया किंतु स्वीकारा नही गया ! - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Received with + स्वीकारा गया - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Received from + स्वीकार्य ओर से - Only accept block chain matching built-in checkpoints (default: 1) - + Sent to + भेजा गया - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Payment to yourself + भेजा खुद को भुगतान - Print block on startup, if found in block index - + Mined + माइंड - Print block tree on startup (default: 0) - + (n/a) + (लागू नहीं) - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Transaction status. Hover over this field to show number of confirmations. + ट्रांसेक्शन स्तिथि| पुष्टियों की संख्या जानने के लिए इस जगह पर माउस लायें| - RPC server options: - + Date and time that the transaction was received. + तारीख तथा समय जब ये ट्रांसेक्शन प्राप्त हुई थी| - Randomly drop 1 of every <n> network messages - + Type of transaction. + ट्रांसेक्शन का प्रकार| - Randomly fuzz 1 of every <n> network messages - + Destination address of transaction. + ट्रांसेक्शन की मंजिल का पता| - Run a thread to flush wallet periodically (default: 1) - + Amount removed from or added to balance. + अमाउंट बैलेंस से निकला या जमा किया गया | + + + TransactionView - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + All + सभी - Send command to Bitcoin Core - + Today + आज - Send trace/debug info to console instead of debug.log file - + This week + इस हफ्ते - Set minimum block size in bytes (default: 0) - + This month + इस महीने - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Last month + पिछले महीने - Show all debugging options (usage: --help -help-debug) - + This year + इस साल - Show benchmark information (default: 0) - + Range... + विस्तार... - Shrink debug.log file on client startup (default: 1 when no -debug) - + Received with + स्वीकार करना - Signing transaction failed - + Sent to + भेजा गया - Specify connection timeout in milliseconds (default: 5000) - + To yourself + अपनेआप को - Start Bitcoin Core Daemon - + Mined + माइंड - System error: - + Other + अन्य - Transaction amount too small - + Enter address or label to search + ढूँदने के लिए कृपा करके पता या लेबल टाइप करे ! - Transaction amounts must be positive - + Min amount + लघुत्तम राशि - Transaction too large - + Copy address + पता कॉपी करे - Use UPnP to map the listening port (default: 0) - + Copy label + लेबल कॉपी करे - Use UPnP to map the listening port (default: 1 when listening) - + Copy amount + कॉपी राशि - Username for JSON-RPC connections - + Edit label + एडिट लेबल - Warning - चेतावनी + Comma separated file (*.csv) + Comma separated file (*.csv) - Warning: This version is obsolete, upgrade required! - + Confirmed + पक्का - Zapping all transactions from wallet... - + Date + taareek - on startup - + Type + टाइप - version - संस्करण + Label + लेबल - wallet.dat corrupt, salvage failed - + Address + पता - Password for JSON-RPC connections - + Amount + राशि - Allow JSON-RPC connections from specified IP address - + ID + ID - Send commands to node running on <ip> (default: 127.0.0.1) - + Range: + विस्तार: - Execute command when the best block changes (%s in cmd is replaced by block hash) - + to + तक + + + WalletFrame + + + WalletModel - Upgrade wallet to latest format - + Send Coins + सिक्के भेजें| + + + WalletView - Set key pool size to <n> (default: 100) - + Backup Wallet + बैकप वॉलेट - Rescan the block chain for missing wallet transactions - + Wallet Data (*.dat) + वॉलेट डेटा (*.dat) - Use OpenSSL (https) for JSON-RPC connections - + Backup Failed + बैकप असफल - Server certificate file (default: server.cert) - + Backup Successful + बैकप सफल + + + bitcoin-core - Server private key (default: server.pem) - + Usage: + खपत : - This help message - + List commands + commands की लिस्ट बनाएं - Unable to bind to %s on this computer (bind returned error %d, %s) - + Get help for a command + किसी command के लिए मदद लें - Allow DNS lookups for -addnode, -seednode and -connect - + Options: + विकल्प: - Loading addresses... - पता पुस्तक आ रही है... + Specify configuration file (default: bitcoin.conf) + configuraion की फाइल का विवरण दें (default: bitcoin.conf) - Error loading wallet.dat: Wallet corrupted - + Specify pid file (default: bitcoind.pid) + pid फाइल का विवरण दें (default: bitcoin.pid) - Error loading wallet.dat: Wallet requires newer version of Bitcoin - + Specify data directory + डेटा डायरेक्टरी बताएं - Wallet needed to be rewritten: restart Bitcoin to complete - + Run in the background as a daemon and accept commands + बैकग्राउंड में डेमॉन बन कर रन करे तथा कमांड्स स्वीकार करें - Error loading wallet.dat - + Use the test network + टेस्ट नेटवर्क का इस्तेमाल करे - Invalid -proxy address: '%s' - + Verifying blocks... + ब्लॉक्स जाँचे जा रहा है... - Unknown network specified in -onlynet: '%s' - + Verifying wallet... + वॉलेट जाँचा जा रहा है... - Unknown -socks proxy version requested: %i - + Information + जानकारी - Cannot resolve -bind address: '%s' - + Warning + चेतावनी - Cannot resolve -externalip address: '%s' - + version + संस्करण - Invalid amount for -paytxfee=<amount>: '%s' - + Loading addresses... + पता पुस्तक आ रही है... Invalid amount राशि ग़लत है - Insufficient funds - - - Loading block index... ब्लॉक इंडेक्स आ रहा है... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... वॉलेट आ रहा है... - Cannot downgrade wallet - - - - Cannot write default address - - - Rescanning... रि-स्केनी-इंग... @@ -3348,18 +961,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. लोड हो गया| - To use the %s option - - - Error भूल - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_hr.ts b/src/qt/locale/bitcoin_hr.ts index b5f1595515e..7fdb948df6c 100644 --- a/src/qt/locale/bitcoin_hr.ts +++ b/src/qt/locale/bitcoin_hr.ts @@ -1,36 +1,19 @@ - + AboutDialog About Bitcoin Core - O Bitcoin Jezrgu + O Bitcoinovoj jezgri <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + <b>Bitcoinova jezgra</b> inačica Copyright - Autorsko pravo - - - The Bitcoin Core developers - + Autorsko pravo - - (%1-bit) - - - + AddressBookPage @@ -43,7 +26,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &Nova Copy the currently selected address to the system clipboard @@ -51,11 +34,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + &Kopiraj C&lose - + &Zatvori &Copy Address @@ -63,7 +46,7 @@ This product includes software developed by the OpenSSL Project for use in the O Delete the currently selected address from the list - + Brisanje trenutno odabrane adrese s popisa. Export the data in the current tab to a file @@ -79,31 +62,31 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Odabir adrese na koju šaljete novac Choose the address to receive coins with - + Odaberi adresu na koju primaš novac C&hoose - + &Odaberi Sending addresses - + Adresa za slanje Receiving addresses - + Adresa za primanje These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Ovo su vaše Bitcoin adrese za slanje uplate. Uvijek provjerite iznos i adresu primatelja prije slanja novca. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Ovo su vaše Bitcoin adrese za primanje isplate. Preporučamo da koristite novu primateljsku adresu za svaku transakciju. Copy &Label @@ -115,7 +98,7 @@ This product includes software developed by the OpenSSL Project for use in the O Export Address List - + Izvezi listu adresa Comma separated file (*.csv) @@ -123,13 +106,9 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed - - - - There was an error trying to save the address list to %1. - + Izvoz neuspješan - + AddressTableModel @@ -149,7 +128,7 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog Passphrase Dialog - + Dijalog lozinke Enter passphrase @@ -209,7 +188,7 @@ This product includes software developed by the OpenSSL Project for use in the O IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + VAŽNO: Sve prethodne pričuve vašeg novčanika trebale bi biti zamijenjene novo stvorenom, šifriranom datotekom novčanika. Zbog sigurnosnih razloga, prethodne pričuve nešifriranog novčanika će postati beskorisne čim počnete koristiti novi, šifrirani novčanik. Warning: The Caps Lock key is on! @@ -268,7 +247,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Čvor Show general overview of wallet @@ -320,15 +299,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + Adrese za s&lanje &Receiving addresses... - + Adrese za p&rimanje Open &URI... - + Otvori &URI... Importing blocks from disk... @@ -356,11 +335,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Debug window - + &Ispravljanje programerskih pogrešaka Open debugging and diagnostic console - + Otvori konzolu za dijagnostiku i otklanjanje programskih pogrešaka. &Verify message... @@ -380,27 +359,27 @@ This product includes software developed by the OpenSSL Project for use in the O &Receive - + Pri&miti &Show / Hide - + Po&kaži / Sakrij Show or hide the main Window - + Prikaži ili sakrij glavni prozor Encrypt the private keys that belong to your wallet - + Šifriraj privatne ključeve koji pripadaju tvom novčaniku Sign messages with your Bitcoin addresses to prove you own them - + Potpiši poruke svojim Bitcoin adresama kako bi dokazao da si njihov vlasnik Verify messages to ensure they were signed with specified Bitcoin addresses - + Provjerite porkue kako bi se uvjerili da su potpisane navedenim Bitcoin adresama &File @@ -428,31 +407,19 @@ This product includes software developed by the OpenSSL Project for use in the O Request payments (generates QR codes and bitcoin: URIs) - + Zatraži uplate (Stvara QR kodove i bitcoin: URIje) &About Bitcoin Core - + &O Bitcoin Jezgri Show the list of used sending addresses and labels - + Prikaži popis korištenih adresa i oznaka za slanje isplate Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Prikaži popis korištenih adresa i oznaka za primanje isplate Bitcoin client @@ -463,49 +430,9 @@ This product includes software developed by the OpenSSL Project for use in the O %n aktivna veza na Bitcoin mrežu%n aktivne veze na Bitcoin mrežu%n aktivnih veza na Bitcoin mrežu - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - Processed %1 blocks of transaction history. Obrađeno %1 blokova povijesti transakcije. - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - Error Greška @@ -554,69 +481,17 @@ Adresa:%4 Wallet is <b>encrypted</b> and currently <b>locked</b> Novčanik je <b>šifriran</b> i trenutno <b>zaključan</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: Iznos: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Iznos @@ -629,18 +504,10 @@ Adresa:%4 Datum - Confirmations - - - Confirmed Potvrđeno - Priority - - - Copy address Kopirati adresu @@ -653,150 +520,10 @@ Adresa:%4 Kopiraj iznos - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (bez oznake) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -808,14 +535,6 @@ Adresa:%4 &Oznaka - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Adresa @@ -836,12 +555,12 @@ Adresa:%4 Uredi adresu za slanje - The entered address "%1" is already in the address book. - Upisana adresa "%1" je već u adresaru. + The entered address "%1" is already in the address book. + Upisana adresa "%1" je već u adresaru. - The entered address "%1" is not a valid Bitcoin address. - Upisana adresa "%1" nije valjana bitcoin adresa. + The entered address "%1" is not a valid Bitcoin address. + Upisana adresa "%1" nije valjana bitcoin adresa. Could not unlock wallet. @@ -855,33 +574,13 @@ Adresa:%4 FreespaceChecker - A new data directory will be created. - - - name ime - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Bitcoin Jezgra @@ -894,34 +593,14 @@ Adresa:%4 Upotreba: - command-line options - - - UI options UI postavke - Set language, for example "de_DE" (default: system locale) - - - Start minimized Pokreni minimiziran - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro @@ -929,69 +608,21 @@ Adresa:%4 Dobrodošli - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Pogreška - GB of free space available - - - (of %1GB needed) (od potrebnog %1GB) OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1003,10 +634,6 @@ Adresa:%4 &Glavno - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee Plati &naknadu za transakciju @@ -1019,70 +646,10 @@ Adresa:%4 &Pokreni Bitcoin kod pokretanja sustava - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - &Network &Mreža - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Automatski otvori port Bitcoin klijenta na ruteru. To radi samo ako ruter podržava UPnP i ako je omogućen. @@ -1095,10 +662,6 @@ Adresa:%4 Proxy &IP: - &Port: - - - Port of the proxy (e.g. 9050) Port od proxy-a (npr. 9050) @@ -1107,10 +670,6 @@ Adresa:%4 SOCKS &Verzija: - SOCKS version of the proxy (e.g. 5) - - - &Window &Prozor @@ -1135,14 +694,6 @@ Adresa:%4 &Prikaz - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - &Unit to show amounts in: &Jedinica za prikazivanje iznosa: @@ -1151,18 +702,10 @@ Adresa:%4 Izaberite željeni najmanji dio bitcoina koji će biti prikazan u sučelju i koji će se koristiti za plaćanje. - Whether to show Bitcoin addresses in the transaction list or not. - - - &Display addresses in transaction list &Prikaži adrese u popisu transakcija - Whether to show coin control features or not. - - - &OK &U redu @@ -1175,28 +718,8 @@ Adresa:%4 standardne vrijednosti - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - The supplied proxy address is invalid. - + Priložena proxy adresa je nevažeća. @@ -1207,145 +730,33 @@ Adresa:%4 The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + Prikazani podatci mogu biti zastarjeli. Vaš novčanik se automatski sinkronizira s Bitcoin mrežom kada je veza uspostavljena, ali taj proces još nije završen. Wallet Novčanik - Available: - + Total: + Ukupno: - Your current spendable balance - + <b>Recent transactions</b> + <b>Nedavne transakcije</b> + + + PaymentServer - Pending: - + URI handling + URI upravljanje + + + QObject - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - Ukupno: - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Nedavne transakcije</b> - - - out of sync - - - - - PaymentServer - - URI handling - URI upravljanje - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - + Bitcoin + Bitcoin Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1355,22 +766,10 @@ Adresa:%4 QRImageWidget - &Save Image... - - - - &Copy Image - - - Save QR Code Spremi QR kod - - PNG Image (*.png) - - - + RPCConsole @@ -1390,22 +789,10 @@ Adresa:%4 &Informacija - Debug window - - - - General - - - Using OpenSSL version Koristim OpenSSL verziju - Startup time - - - Network Mreža @@ -1442,36 +829,8 @@ Adresa:%4 &Konzola - &Network Traffic - - - - &Clear - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Ukupno: Clear console @@ -1483,120 +842,24 @@ Adresa:%4 Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - + Kako bi navigirali kroz povijest koristite strelice gore i dolje. <b>Ctrl-L</b> kako bi očistili ekran. - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: &Oznaka: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - Show Pokaži - Remove the selected entries from the list - - - - Remove - - - Copy label Kopirati oznaku - Copy message - - - Copy amount Kopiraj iznos @@ -1608,30 +871,6 @@ Adresa:%4 QR kôd - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - Address Adresa @@ -1651,11 +890,7 @@ Adresa:%4 Resulting URI too long, try to reduce the text for label / message. Rezultirajući URI je predug, probajte umanjiti tekst za naslov / poruku. - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel @@ -1678,15 +913,7 @@ Adresa:%4 (no label) (bez oznake) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1694,62 +921,10 @@ Adresa:%4 Slanje novca - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - Amount: Iznos: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Pošalji k nekoliko primatelja odjednom @@ -1758,10 +933,6 @@ Adresa:%4 &Dodaj primatelja - Clear all fields of the form. - - - Clear &All Obriši &sve @@ -1782,46 +953,10 @@ Adresa:%4 Potvrdi slanje novca - %1 to %2 - - - - Copy quantity - - - Copy amount Kopiraj iznos - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - or ili @@ -1846,42 +981,10 @@ Adresa:%4 Pronašli smo adresu koja se ponavlja. U svakom plaćanju program može svaku adresu koristiti samo jedanput. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (bez oznake) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1893,10 +996,6 @@ Adresa:%4 &Primatelj plaćanja: - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Enter a label for this address to add it to your address book Unesite oznaku za ovu adresu kako bi ju dodali u vaš adresar @@ -1905,14 +1004,6 @@ Adresa:%4 &Oznaka: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1925,56 +1016,20 @@ Adresa:%4 Alt+P - Remove this entry - - - Message: Poruka: - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - Pay To: Primatelj plaćanja: - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - Signatures - Sign / Verify a Message - - - &Sign Message &Potpišite poruku @@ -1987,10 +1042,6 @@ Adresa:%4 Unesite Bitcoin adresu (npr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2011,22 +1062,6 @@ Adresa:%4 Potpis - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - Clear &All Obriši &sve @@ -2035,82 +1070,22 @@ Adresa:%4 &Potvrdite poruku - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Unesite Bitcoin adresu (npr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Unesite Bitcoin adresu (npr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - Wallet unlock was cancelled. Otključavanje novčanika je otkazano. - Private key for the entered address is not available. - - - - Message signing failed. - - - Message signed. Poruka je potpisana. - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen @@ -2118,21 +1093,13 @@ Adresa:%4 Bitcoin Jezgra - The Bitcoin Core developers - - - [testnet] [testnet] TrafficGraphWidget - - KB/s - - - + TransactionDesc @@ -2140,10 +1107,6 @@ Adresa:%4 Otvoren do %1 - conflicted - - - %1/offline %1 nije dostupan @@ -2159,10 +1122,6 @@ Adresa:%4 Status Status - - , broadcast through %n node(s) - - Date Datum @@ -2195,10 +1154,6 @@ Adresa:%4 Credit Uplaćeno - - matures in %n more block(s) - - not accepted Nije prihvaćeno @@ -2211,922 +1166,400 @@ Adresa:%4 Transaction fee Naknada za transakciju - - Net amount - Neto iznos - - - Message - Poruka - - - Comment - Komentar - - - Transaction ID - ID transakcije - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - Transakcija - - - Inputs - Unosi - - - Amount - Iznos - - - true - - - - false - - - - , has not been successfully broadcast yet - , još nije bio uspješno emitiran - - - Open for %n more block(s) - - - - unknown - nepoznato - - - - TransactionDescDialog - - Transaction details - Detalji transakcije - - - This pane shows a detailed description of the transaction - Ova panela prikazuje detaljni opis transakcije - - - - TransactionTableModel - - Date - Datum - - - Type - Tip - - - Address - Adresa - - - Amount - Iznos - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Otvoren do %1 - - - Confirmed (%1 confirmations) - Potvrđen (%1 potvrda) - - - This block was not received by any other nodes and will probably not be accepted! - Generirano - Upozorenje: ovaj blok nije bio primljen od strane bilo kojeg drugog noda i vjerojatno neće biti prihvaćen! - - - Generated but not accepted - Generirano, ali nije prihvaćeno - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Primljeno s - - - Received from - Primljeno od - - - Sent to - Poslano za - - - Payment to yourself - Plaćanje samom sebi - - - Mined - Rudareno - - - (n/a) - (n/d) - - - Transaction status. Hover over this field to show number of confirmations. - Status transakcije - - - Date and time that the transaction was received. - Datum i vrijeme kad je transakcija primljena - - - Type of transaction. - Vrsta transakcije. - - - Destination address of transaction. - Odredište transakcije - - - Amount removed from or added to balance. - Iznos odbijen od ili dodan k saldu. - - - - TransactionView - - All - Sve - - - Today - Danas - - - This week - Ovaj tjedan - - - This month - Ovaj mjesec - - - Last month - Prošli mjesec - - - This year - Ove godine - - - Range... - Raspon... - - - Received with - Primljeno s - - - Sent to - Poslano za - - - To yourself - Tebi - - - Mined - Rudareno - - - Other - Ostalo - - - Enter address or label to search - Unesite adresu ili oznaku za pretraživanje - - - Min amount - Min iznos - - - Copy address - Kopirati adresu - - - Copy label - Kopirati oznaku - - - Copy amount - Kopiraj iznos - - - Copy transaction ID - - - - Edit label - Izmjeniti oznaku - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Datoteka podataka odvojenih zarezima (*.csv) - - - Confirmed - Potvrđeno - - - Date - Datum - - - Type - Tip - - - Label - Oznaka - - - Address - Adresa - - - Amount - Iznos - - - ID - ID - - - Range: - Raspon: - - - to - za - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Slanje novca - - - - WalletView - - &Export - &Izvoz - - - Export the data in the current tab to a file - Izvoz podataka iz trenutnog taba u datoteku - - - Backup Wallet - - - - Wallet Data (*.dat) - Podaci novčanika (*.dat) - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - Upotreba: - - - List commands - Prikaži komande - - - Get help for a command - Potraži pomoć za komandu - - - Options: - Postavke: - - - Specify configuration file (default: bitcoin.conf) - Odredi konfiguracijsku datoteku (ugrađeni izbor: bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - Odredi proces ID datoteku (ugrađeni izbor: bitcoin.pid) - - - Specify data directory - Odredi direktorij za datoteke - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - Slušaj na <port>u (default: 8333 ili testnet: 18333) - - - Maintain at most <n> connections to peers (default: 125) - Održavaj najviše <n> veza sa članovima (default: 125) - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - Prag za odspajanje članova koji se čudno ponašaju (default: 100) - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Broj sekundi koliko se članovima koji se čudno ponašaju neće dopustiti da se opet spoje (default: 86400) - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - Prihvaćaj JSON-RPC povezivanje na portu broj <port> (ugrađeni izbor: 8332 or testnet: 18332) - - - Accept command line and JSON-RPC commands - Prihvati komande iz tekst moda i JSON-RPC - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - Izvršavaj u pozadini kao uslužnik i prihvaćaj komande - - - Use the test network - Koristi test mrežu - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Upozorenje: -paytxfee je podešen na preveliki iznos. To je iznos koji ćete platiti za obradu transakcije. + + Net amount + Neto iznos - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Upozorenje: Molimo provjerite jesu li datum i vrijeme na vašem računalu točni. Ako vaš sat ide krivo, Bitcoin neće raditi ispravno. + Message + Poruka - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Comment + Komentar - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Transaction ID + ID transakcije - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Transaction + Transakcija - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Inputs + Unosi - (default: 1) - + Amount + Iznos - (default: wallet.dat) - + , has not been successfully broadcast yet + , još nije bio uspješno emitiran - <category> can be: - + unknown + nepoznato + + + TransactionDescDialog - Attempt to recover private keys from a corrupt wallet.dat - + Transaction details + Detalji transakcije - Bitcoin Core Daemon - + This pane shows a detailed description of the transaction + Ova panela prikazuje detaljni opis transakcije + + + TransactionTableModel - Block creation options: - Opcije za kreiranje bloka: + Date + Datum - Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Type + Tip - Connect only to the specified node(s) - Poveži se samo sa određenim nodom + Address + Adresa - Connect through SOCKS proxy - + Amount + Iznos - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Open until %1 + Otvoren do %1 - Connection options: - + Confirmed (%1 confirmations) + Potvrđen (%1 potvrda) - Corrupted block database detected - + This block was not received by any other nodes and will probably not be accepted! + Generirano - Upozorenje: ovaj blok nije bio primljen od strane bilo kojeg drugog noda i vjerojatno neće biti prihvaćen! - Debugging/Testing options: - + Generated but not accepted + Generirano, ali nije prihvaćeno - Disable safemode, override a real safe mode event (default: 0) - + Received with + Primljeno s - Discover own IP address (default: 1 when listening and no -externalip) - + Received from + Primljeno od - Do not load the wallet and disable wallet RPC calls - + Sent to + Poslano za - Do you want to rebuild the block database now? - + Payment to yourself + Plaćanje samom sebi - Error initializing block database - + Mined + Rudareno - Error initializing wallet database environment %s! - + (n/a) + (n/d) - Error loading block database - + Transaction status. Hover over this field to show number of confirmations. + Status transakcije - Error opening block database - + Date and time that the transaction was received. + Datum i vrijeme kad je transakcija primljena - Error: Disk space is low! - Pogreška: Nema prostora na disku! + Type of transaction. + Vrsta transakcije. - Error: Wallet locked, unable to create transaction! - + Destination address of transaction. + Odredište transakcije - Error: system error: - Pogreška: sistemska pogreška: + Amount removed from or added to balance. + Iznos odbijen od ili dodan k saldu. + + + TransactionView - Failed to listen on any port. Use -listen=0 if you want this. - + All + Sve - Failed to read block info - + Today + Danas - Failed to read block - + This week + Ovaj tjedan - Failed to sync block index - + This month + Ovaj mjesec - Failed to write block index - + Last month + Prošli mjesec - Failed to write block info - + This year + Ove godine - Failed to write block - + Range... + Raspon... - Failed to write file info - + Received with + Primljeno s - Failed to write to coin database - + Sent to + Poslano za - Failed to write transaction index - + To yourself + Tebi - Failed to write undo data - + Mined + Rudareno - Fee per kB to add to transactions you send - Naknada po kB dodana transakciji koju šaljete + Other + Ostalo - Fees smaller than this are considered zero fee (for relaying) (default: - + Enter address or label to search + Unesite adresu ili oznaku za pretraživanje - Find peers using DNS lookup (default: 1 unless -connect) - + Min amount + Min iznos - Force safe mode (default: 0) - + Copy address + Kopirati adresu - Generate coins (default: 0) - + Copy label + Kopirati oznaku - How many blocks to check at startup (default: 288, 0 = all) - + Copy amount + Kopiraj iznos - If <category> is not supplied, output all debugging information. - + Edit label + Izmjeniti oznaku - Importing... - + Show transaction details + Prikaži detalje transakcije - Incorrect or no genesis block found. Wrong datadir for network? - + Exporting Failed + Izvoz neuspješan - Invalid -onion address: '%s' - + Comma separated file (*.csv) + Datoteka podataka odvojenih zarezima (*.csv) - Not enough file descriptors available. - + Confirmed + Potvrđeno - Prepend debug output with timestamp (default: 1) - + Date + Datum - RPC client options: - + Type + Tip - Rebuild block chain index from current blk000??.dat files - + Label + Oznaka - Select SOCKS version for -proxy (4 or 5, default: 5) - + Address + Adresa - Set database cache size in megabytes (%d to %d, default: %d) - + Amount + Iznos - Set maximum block size in bytes (default: %d) - + ID + ID - Set the number of threads to service RPC calls (default: 4) - + Range: + Raspon: - Specify wallet file (within data directory) - + to + za + + + WalletFrame + + + WalletModel - Spend unconfirmed change when sending transactions (default: 1) - + Send Coins + Slanje novca + + + WalletView - This is intended for regression testing tools and app development. - + &Export + &Izvoz - Usage (deprecated, use bitcoin-cli): - + Export the data in the current tab to a file + Izvoz podataka iz trenutnog taba u datoteku - Verifying blocks... - + Backup Wallet + Backup novčanika - Verifying wallet... - + Wallet Data (*.dat) + Podaci novčanika (*.dat) - Wait for RPC server to start - + Backup Failed + Backup nije uspio + + + bitcoin-core - Wallet %s resides outside data directory %s - + Usage: + Upotreba: - Wallet options: - + List commands + Prikaži komande - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Get help for a command + Potraži pomoć za komandu - You need to rebuild the database using -reindex to change -txindex - + Options: + Postavke: - Imports blocks from external blk000??.dat file - Importiraj blokove sa vanjskog blk000??.dat fajla + Specify configuration file (default: bitcoin.conf) + Odredi konfiguracijsku datoteku (ugrađeni izbor: bitcoin.conf) - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Specify pid file (default: bitcoind.pid) + Odredi proces ID datoteku (ugrađeni izbor: bitcoin.pid) - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Specify data directory + Odredi direktorij za datoteke - Output debugging information (default: 0, supplying <category> is optional) - + Listen for connections on <port> (default: 8333 or testnet: 18333) + Slušaj na <port>u (default: 8333 ili testnet: 18333) - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Maintain at most <n> connections to peers (default: 125) + Održavaj najviše <n> veza sa članovima (default: 125) - Information - Informacija + Specify your own public address + Odaberi vlastitu javnu adresu - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Threshold for disconnecting misbehaving peers (default: 100) + Prag za odspajanje članova koji se čudno ponašaju (default: 100) - Invalid amount for -mintxfee=<amount>: '%s' - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + Broj sekundi koliko se članovima koji se čudno ponašaju neće dopustiti da se opet spoje (default: 86400) - Limit size of signature cache to <n> entries (default: 50000) - + Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) + Prihvaćaj JSON-RPC povezivanje na portu broj <port> (ugrađeni izbor: 8332 or testnet: 18332) - Log transaction priority and fee per kB when mining blocks (default: 0) - + Accept command line and JSON-RPC commands + Prihvati komande iz tekst moda i JSON-RPC - Maintain a full transaction index (default: 0) - + Run in the background as a daemon and accept commands + Izvršavaj u pozadini kao uslužnik i prihvaćaj komande - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Use the test network + Koristi test mrežu - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Upozorenje: -paytxfee je podešen na preveliki iznos. To je iznos koji ćete platiti za obradu transakcije. - Only accept block chain matching built-in checkpoints (default: 1) - Prihvati samo lance blokova koji se podudaraju sa ugrađenim checkpoint-ovima (default: 1) + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Upozorenje: Molimo provjerite jesu li datum i vrijeme na vašem računalu točni. Ako vaš sat ide krivo, Bitcoin neće raditi ispravno. - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Block creation options: + Opcije za kreiranje bloka: - Print block on startup, if found in block index - + Connect only to the specified node(s) + Poveži se samo sa određenim nodom - Print block tree on startup (default: 0) - + Error: Disk space is low! + Pogreška: Nema prostora na disku! - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Error: system error: + Pogreška: sistemska pogreška: - RPC server options: - + Fee per kB to add to transactions you send + Naknada po kB dodana transakciji koju šaljete - Randomly drop 1 of every <n> network messages - + Imports blocks from external blk000??.dat file + Importiraj blokove sa vanjskog blk000??.dat fajla - Randomly fuzz 1 of every <n> network messages - + Information + Informacija - Run a thread to flush wallet periodically (default: 1) - + Only accept block chain matching built-in checkpoints (default: 1) + Prihvati samo lance blokova koji se podudaraju sa ugrađenim checkpoint-ovima (default: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL postavke: (za detalje o podešavanju SSL opcija vidi Bitcoin Wiki) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Šalji trace/debug informacije na konzolu umjesto u debug.log datoteku @@ -3135,50 +1568,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Podesite minimalnu veličinu bloka u bajtovima (default: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - Specify connection timeout in milliseconds (default: 5000) Odredi vremenski prozor za spajanje na mrežu u milisekundama (ugrađeni izbor: 5000) - Start Bitcoin Core Daemon - - - System error: Pogreška sistema: - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - Use UPnP to map the listening port (default: 0) Pokušaj koristiti UPnP da otvoriš port za uslugu (default: 0) @@ -3195,26 +1592,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Upozorenje - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - version verzija - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Lozinka za JSON-RPC veze @@ -3287,28 +1668,12 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Greška kod učitavanja wallet.dat - Invalid -proxy address: '%s' - Nevaljala -proxy adresa: '%s' - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - + Invalid -proxy address: '%s' + Nevaljala -proxy adresa: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Nevaljali iznos za opciju -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Nevaljali iznos za opciju -paytxfee=<amount>: '%s' Invalid amount @@ -3347,18 +1712,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Učitavanje gotovo - To use the %s option - - - Error Greška - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_hu.ts b/src/qt/locale/bitcoin_hu.ts index de57490847d..a4b6810e87d 100644 --- a/src/qt/locale/bitcoin_hu.ts +++ b/src/qt/locale/bitcoin_hu.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + A Bitcoin Core-ról <b>Bitcoin Core</b> version - + <b>Bitcoin</b> verzió @@ -28,11 +28,11 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt The Bitcoin Core developers - + A Bitcoin Core fejlesztői (%1-bit) - + (%1-bit) @@ -47,7 +47,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt &New - + &Új Copy the currently selected address to the system clipboard @@ -55,11 +55,11 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt &Copy - + &Másolás C&lose - + &Bezárás &Copy Address @@ -67,7 +67,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Delete the currently selected address from the list - + Kiválasztott cím törlése a listából Export the data in the current tab to a file @@ -83,31 +83,31 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Choose the address to send coins to - + Válaszd ki a címet, ahová küldesz Choose the address to receive coins with - + Válaszd ki a címet, amivel fogadsz C&hoose - + &Kiválaszt Sending addresses - + Küldési címek Receiving addresses - + Fogadó címek These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Ezekkel a Bitcoin-címekkel küldhetsz kifizetéseket. Mindig ellenőrizd a fogadó címet és a fizetendő összeget, mielőtt elküldöd. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Ezekkel a címekkel fogadhatsz bitcoint. Ajánlott minden tranzakciónál egy új fogadó címet használni. Copy &Label @@ -119,7 +119,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Export Address List - + Címjegyzék exportálása Comma separated file (*.csv) @@ -127,13 +127,9 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Exporting Failed - + Az exportálás sikertelen volt - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -217,7 +213,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Warning: The Caps Lock key is on! - + Vigyázat: a Caps Lock be van kapcsolva! Wallet encrypted @@ -272,7 +268,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Node - + Csomópont Show general overview of wallet @@ -324,15 +320,15 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt &Sending addresses... - + &Küldési címek... &Receiving addresses... - + &Fogadó címek... Open &URI... - + &URI azonosító megnyitása... Importing blocks from disk... @@ -392,7 +388,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Show or hide the main Window - + Főablakot mutat/elrejt Encrypt the private keys that belong to your wallet @@ -432,31 +428,31 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt Request payments (generates QR codes and bitcoin: URIs) - + Kifizetési kérelem (QR-kódot és "bitcoin:" azonosítót (URI-t) hoz létre) &About Bitcoin Core - + &A Bitcoin Core-ról Show the list of used sending addresses and labels - + A használt küldési címek és címkék mutatása Show the list of used receiving addresses and labels - + A használt fogadó címek és címkék megtekintése Open a bitcoin: URI or payment request - + "bitcoin:" URI azonosító vagy fizetési kérelem megnyitása &Command-line options - + Paran&cssor kapcsolók Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + A Bitcoin Core súgóüzenet megjelenítése a Bitcoin lehetséges parancssori kapcsolóival. Bitcoin client @@ -492,11 +488,7 @@ Ez a termék az OpenSSL Project által lett kifejlesztve az OpenSSL Toolkit (htt %1 and %2 - - - - %n year(s) - + %1 és %2 %1 behind @@ -560,7 +552,7 @@ Cím: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Végzetes hiba történt. A Bitcoin működése nem biztonságos és hamarosan leáll. @@ -574,15 +566,15 @@ Cím: %4 CoinControlDialog Coin Control Address Selection - + Ellenőrző cím kiválasztása Quantity: - + Mennyiség: Bytes: - + Bájtok: Amount: @@ -590,35 +582,31 @@ Cím: %4 Priority: - + Prioritás: Fee: - - - - Low Output: - + Díjak: After Fee: - + Utólagos díj: Change: - + Visszajáró: (un)select all - + mindent kiválaszt/elvet Tree mode - + Fa nézet List mode - + Lista nézet Amount @@ -634,7 +622,7 @@ Cím: %4 Confirmations - + Megerősítések Confirmed @@ -642,7 +630,7 @@ Cím: %4 Priority - + Prioritás Copy address @@ -662,131 +650,111 @@ Cím: %4 Lock unspent - + Megmaradt zárolása Unlock unspent - + Zárolás feloldása Copy quantity - + Mennyiség másolása Copy fee - + Díj másolása Copy after fee - + Utólagos díj másolása Copy bytes - + Byte-ok másolása Copy priority - - - - Copy low output - + Prioritás másolása Copy change - + Visszajáró másolása highest - + legmagasabb higher - + magasabb high - + magas medium-high - + közepesen-magas medium - + közepes low-medium - + alacsony-közepes low - + alacsony lower - + alacsonyabb lowest - + legalacsonyabb (%1 locked) - + (%1 zárolva) none - - - - Dust - + semmi yes - + igen no - + nem This label turns red, if the transaction size is greater than 1000 bytes. - + Ez a címke piros lesz, ha tranzakció mérete nagyobb 1000 byte-nál. This means a fee of at least %1 per kB is required. - + Legalább %1 díj szüksége kB-onként. Can vary +/- 1 byte per input. - + Bemenetenként +/- 1 byte-al változhat. Transactions with higher priority are more likely to get included into a block. - + Nagyobb prioritású tranzakciók nagyobb valószínűséggel kerülnek be egy blokkba. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Ez a címke piros lesz, ha a prioritás közepesnél alacsonyabb. This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + Ez a címke piros lesz, ha valamelyik elfogadó kevesebbet kap mint %1. (no label) @@ -794,11 +762,11 @@ Cím: %4 change from %1 (%2) - + visszajáró %1-ből (%2) (change) - + (visszajáró) @@ -813,11 +781,11 @@ Cím: %4 The label associated with this address list entry - + Ehhez a listaelemhez rendelt címke The address associated with this address list entry. This can only be modified for sending addresses. - + Ehhez a címlistaelemhez rendelt cím. Csak a küldő címek módosíthatók. &Address @@ -840,12 +808,12 @@ Cím: %4 Küldő cím szerkesztése - The entered address "%1" is already in the address book. - A megadott "%1" cím már szerepel a címjegyzékben. + The entered address "%1" is already in the address book. + A megadott "%1" cím már szerepel a címjegyzékben. - The entered address "%1" is not a valid Bitcoin address. - A megadott "%1" cím nem egy érvényes Bitcoin-cím. + The entered address "%1" is not a valid Bitcoin address. + A megadott "%1" cím nem egy érvényes Bitcoin-cím. Could not unlock wallet. @@ -860,32 +828,24 @@ Cím: %4 FreespaceChecker A new data directory will be created. - + Új adatkönyvtár lesz létrehozva. name Név - Directory already exists. Add %1 if you intend to create a new directory here. - - - Path already exists, and is not a directory. - + Az elérési út létezik, de nem egy könyvtáré. Cannot create data directory here. - + Adatkönyvtár nem hozható itt létre. HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Bitcoin Core @@ -906,8 +866,8 @@ Cím: %4 UI opciók - Set language, for example "de_DE" (default: system locale) - Nyelvbeállítás, például "de_DE" (alapértelmezett: rendszer nyelve) + Set language, for example "de_DE" (default: system locale) + Nyelvbeállítás, például "de_DE" (alapértelmezett: rendszer nyelve) Start minimized @@ -916,7 +876,7 @@ Cím: %4 Set SSL root certificates for payment request (default: -system-) - + SLL gyökér-igazolások megadása fizetési kérelmekhez (alapértelmezett: -system-) Show splash screen on startup (default: 1) @@ -924,77 +884,65 @@ Cím: %4 Choose data directory on startup (default: 0) - + Adatkönyvtár kiválasztása induláskor (alapbeállítás: 0) Intro Welcome - + Üdvözlünk Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Üdvözlünk a Bitcoin Core-ban. Use the default data directory - + Az alapértelmezett adat könyvtár használata Use a custom data directory: - + Saját adatkönyvtár használata: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Hiba GB of free space available - + GB hely érhető el (of %1GB needed) - + ( ebből %1GB szükséges) OpenURIDialog Open URI - + URI megnyitása Open payment request from URI or file - + Fizetési kérelem megnyitása URI azonosítóból vagy fájlból URI: - + URI: Select payment request file - + Fizetési kérelmi fájl kiválasztása Select payment request file to open - + Fizetés kérelmi fájl kiválasztása @@ -1024,32 +972,16 @@ Cím: %4 &Induljon el a számítógép bekapcsolásakor - Size of &database cache - - - MB - - - - Number of script &verification threads - + MB Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - + SOCKS proxyn keresztüli csatlakozás a Bitcoin hálózatához. IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - + A proxy IP címe (pl.: IPv4: 127.0.0.1 / IPv6: ::1) Reset all client options to default. @@ -1064,30 +996,6 @@ Cím: %4 &Hálózat - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. A Bitcoin-kliens portjának automatikus megnyitása a routeren. Ez csak akkor működik, ha a routered támogatja az UPnP-t és az engedélyezve is van rajta. @@ -1164,10 +1072,6 @@ Cím: %4 &Címek megjelenítése a tranzakciólistában - Whether to show coin control features or not. - - - &OK &OK @@ -1181,7 +1085,7 @@ Cím: %4 none - + semmi Confirm options reset @@ -1189,15 +1093,7 @@ Cím: %4 Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - + A változtatások aktiválásahoz újra kell indítani a klienst. The supplied proxy address is invalid. @@ -1220,7 +1116,7 @@ Cím: %4 Available: - + Elérhető: Your current spendable balance @@ -1228,7 +1124,7 @@ Cím: %4 Pending: - + Küldés: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance @@ -1266,70 +1162,10 @@ Cím: %4 URI kezelés - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - Cannot start bitcoin: click-to-pay handler A bitcoint nem lehet elindítani: click-to-pay handler - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1337,22 +1173,6 @@ Cím: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Adj meg egy Bitcoin-címet (pl.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L ) @@ -1361,11 +1181,11 @@ Cím: %4 QRImageWidget &Save Image... - + &Kép mentése &Copy Image - + &Kép másolása Save QR Code @@ -1373,7 +1193,7 @@ Cím: %4 PNG Image (*.png) - + PNG kép (*.png) @@ -1396,11 +1216,11 @@ Cím: %4 Debug window - + Debug ablak General - + Általános Using OpenSSL version @@ -1448,23 +1268,19 @@ Cím: %4 &Network Traffic - - - - &Clear - + &Hálózati forgalom Totals - + Összesen: In: - + Be: Out: - + Ki: Build date @@ -1475,10 +1291,6 @@ Cím: %4 Debug naplófájl - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - Clear console Konzol törlése @@ -1496,102 +1308,46 @@ Cím: %4 %1 B - + %1 B %1 KB - + %1 KB %1 MB - + %1 MB %1 GB - + %1 GB %1 m - + %1 p %1 h - + %1 ó - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: Címke: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - + Törlés Show - - - - Remove the selected entries from the list - + Mutat Remove - + Eltávolítás Copy label @@ -1599,7 +1355,7 @@ Cím: %4 Copy message - + Üzenet másolása Copy amount @@ -1622,19 +1378,11 @@ Cím: %4 &Save Image... - - - - Request payment to %1 - - - - Payment information - + &Kép mentése URI - + URI: Address @@ -1683,15 +1431,7 @@ Cím: %4 (no label) (nincs címke) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1699,28 +1439,16 @@ Cím: %4 Érmék küldése - Coin Control Features - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - + Bemenetek... Quantity: - + Mennyiség: Bytes: - + Bájtok: Amount: @@ -1728,31 +1456,19 @@ Cím: %4 Priority: - + Prioritás: Fee: - - - - Low Output: - + Díjak: After Fee: - + Utólagos díj: Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - + Visszajáró: Send to multiple recipients at once @@ -1763,10 +1479,6 @@ Cím: %4 &Címzett hozzáadása - Clear all fields of the form. - - - Clear &All Mindent &töröl @@ -1787,12 +1499,8 @@ Cím: %4 Küldés megerősítése - %1 to %2 - - - Copy quantity - + Mennyiség másolása Copy amount @@ -1800,35 +1508,27 @@ Cím: %4 Copy fee - + Díj másolása Copy after fee - + Utólagos díj másolása Copy bytes - + Byte-ok másolása Copy priority - - - - Copy low output - + Prioritás másolása Copy change - - - - Total Amount %1 (= %2) - + Visszajáró másolása or - + vagy The recipient address is not valid, please recheck. @@ -1851,42 +1551,10 @@ Cím: %4 Többször szerepel ugyanaz a cím. Egy küldési műveletben egy címre csak egyszer lehet küldeni. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (nincs címke) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1898,10 +1566,6 @@ Cím: %4 Címzett: - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Enter a label for this address to add it to your address book Milyen címkével kerüljön be ez a cím a címtáradba? @@ -1911,14 +1575,6 @@ Cím: %4 Címke: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1931,54 +1587,26 @@ Cím: %4 Alt+P - Remove this entry - - - Message: Üzenet: - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - Memo: - + Jegyzet: ShutdownWindow Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - + A Bitcoin Core leáll... - + SignVerifyMessageDialog Signatures - Sign / Verify a Message - + Aláírások - üzenet aláírása/ellenőrzése &Sign Message @@ -1993,10 +1621,6 @@ Cím: %4 Adj meg egy Bitcoin-címet (pl.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L ) - Choose previously used address - - - Alt+A Alt+A @@ -2029,10 +1653,6 @@ Cím: %4 Üzenet &aláírása - Reset all sign message fields - - - Clear &All Mindent &töröl @@ -2049,26 +1669,10 @@ Cím: %4 Adj meg egy Bitcoin-címet (pl.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L ) - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Adj meg egy Bitcoin-címet (pl.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L ) - Click "Sign Message" to generate signature - - - The entered address is invalid. A megadott cím nem érvényes. @@ -2077,16 +1681,8 @@ Cím: %4 Ellenőrizze a címet és próbálja meg újra. - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - Private key for the entered address is not available. - + A megadott cím privát kulcsa nem található. Message signing failed. @@ -2105,10 +1701,6 @@ Cím: %4 Ellenőrizd az aláírást és próbáld újra. - The signature did not match the message digest. - - - Message verification failed. Az üzenet ellenőrzése nem sikerült. @@ -2125,7 +1717,7 @@ Cím: %4 The Bitcoin Core developers - + A Bitcoin Core fejlesztői [testnet] @@ -2136,7 +1728,7 @@ Cím: %4 TrafficGraphWidget KB/s - + KB/s @@ -2146,14 +1738,6 @@ Cím: %4 Megnyitva %1-ig - conflicted - - - - %1/offline - - - %1/unconfirmed %1/megerősítetlen @@ -2165,17 +1749,13 @@ Cím: %4 Status Állapot - - , broadcast through %n node(s) - - Date Dátum Source - + Forrás Generated @@ -2234,14 +1814,6 @@ Cím: %4 Tranzakcióazonosító - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Debug információ @@ -2307,10 +1879,6 @@ Cím: %4 Amount Összeg - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) %n további blokkra megnyitva%n további blokkra megnyitva @@ -2333,19 +1901,7 @@ Cím: %4 Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - + Offline Received with @@ -2475,24 +2031,8 @@ Cím: %4 Tranzakciós részletek megjelenítése - Export Transaction History - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + Az exportálás sikertelen volt Comma separated file (*.csv) @@ -2537,11 +2077,7 @@ Cím: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2572,14 +2108,6 @@ Cím: %4 Biztonsági másolat készítése sikertelen - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - Backup Successful Sikeres biztonsági mentés @@ -2645,10 +2173,6 @@ Cím: %4 Helytelenül viselkedő peerek kizárási ideje másodpercben (alapértelmezés: 86400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) JSON-RPC csatlakozásokhoz figyelendő <port> (alapértelmezett: 8332 or testnet: 18332) @@ -2658,10 +2182,6 @@ Cím: %4 - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Háttérben futtatás daemonként és parancsok elfogadása @@ -2676,184 +2196,38 @@ Cím: %4 Kívülről érkező kapcsolatok elfogadása (alapértelmezett: 1, ha nem használt a -proxy vagy a -connect) - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Regressziós teszt mód indítása, amely egy speciális láncot használ, amelyben a blokkok azonnal feloldhatók. Ez regressziós tesztalkalmazások által és alkalmazásfejlesztéshez használható. - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Hiba: a tranzakciót elutasították. Ezt az okozhatja, ha már elköltöttél valamennyi érmét a tárcádból például ha a wallet.dat-od egy másolatát használtad, és így az elköltés csak abban lett jelölve, de itt nem. - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Parancs, amit akkor hajt végre, amikor egy tárca-tranzakció megváltozik (%s a parancsban lecserélődik a blokk TxID-re) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Figyelem: a -paytxfee nagyon magas. Ennyi tranzakciós díjat fogsz fizetni, ha elküldöd a tranzakciót. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Figyelem: Ellenőrizd, hogy helyesen van-e beállítva a gépeden a dátum és az idő. A Bitcoin nem fog megfelelően működni, ha rosszul van beállítvaaz órád. - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Csatlakozás csak a megadott csomóponthoz - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - Corrupted block database detected Sérült blokk-adatbázis észlelve - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Saját IP-cím felfedezése (alapértelmezett: 1, amikor figyel és nem használt a -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Újra akarod építeni a blokk adatbázist most? @@ -2875,11 +2249,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - + Hiba: kevés a hely a lemezen! Error: system error: @@ -2930,20 +2300,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. A stornóadatok írása nem sikerült - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - + Csomópontok keresése a tartománynévrendszeren keresztül (alapérték: 1, kivéve -connect paraméternél) Generate coins (default: 0) @@ -2954,70 +2312,22 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Hány blokkot ellenőrizzen induláskor (alapértelmezett: 288, 0 = mindet) - If <category> is not supplied, output all debugging information. - - - Importing... - + Importálás Incorrect or no genesis block found. Wrong datadir for network? Helytelen vagy nemlétező genézis blokk. Helytelen hálózati adatkönyvtár? - Invalid -onion address: '%s' - - - Not enough file descriptors available. Nincs elég fájlleíró. - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Blokklánc index újraalkotása az alábbi blk000??.dat fájlokból - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Blokkok ellenőrzése... @@ -3026,146 +2336,42 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Tárca ellenőrzése... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - You need to rebuild the database using -reindex to change -txindex Az adatbázist újra kell építeni -reindex használatával (módosítás -tindex). - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Információ - Invalid amount for -minrelaytxfee=<amount>: '%s' - Érvénytelen -minrelaytxfee=<amount>: '%s' összeg + Invalid amount for -minrelaytxfee=<amount>: '%s' + Érvénytelen -minrelaytxfee=<amount>: '%s' összeg - Invalid amount for -mintxfee=<amount>: '%s' - Érvénytelen -mintxfee=<amount>: '%s' összeg - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Érvénytelen -mintxfee=<amount>: '%s' összeg Maintain a full transaction index (default: 0) Teljes tranzakcióindex megőrzése (alapértelmezett: 0) - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - Only accept block chain matching built-in checkpoints (default: 1) Csak blokklánccal egyező beépített ellenőrző pontok elfogadása (alapértelmezés: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + Csak a <net> hálózat csomópontjaihoz kapcsolódjon (IPv4, IPv6 vagy Tor) SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-opciók: (lásd a Bitcoin Wiki SSL-beállítási instrukcióit) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file trace/debug információ küldése a konzolra a debog.log fájl helyett - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - Signing transaction failed Tranzakció aláírása sikertelen @@ -3174,10 +2380,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Csatlakozás időkerete milliszekundumban (alapértelmezett: 5000) - Start Bitcoin Core Daemon - - - System error: Rendszerhiba: @@ -3211,26 +2413,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Figyelem - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - version verzió - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Jelszó JSON-RPC csatlakozásokhoz @@ -3312,28 +2498,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Hiba az wallet.dat betöltése közben - Invalid -proxy address: '%s' - Érvénytelen -proxy cím: '%s' + Invalid -proxy address: '%s' + Érvénytelen -proxy cím: '%s' - Unknown network specified in -onlynet: '%s' - Ismeretlen hálózat lett megadva -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Ismeretlen hálózat lett megadva -onlynet: '%s' Unknown -socks proxy version requested: %i Ismeretlen -socks proxy kérése: %i - Cannot resolve -bind address: '%s' - Csatlakozási cím (-bind address) feloldása nem sikerült: '%s' + Cannot resolve -bind address: '%s' + Csatlakozási cím (-bind address) feloldása nem sikerült: '%s' - Cannot resolve -externalip address: '%s' - Külső cím (-externalip address) feloldása nem sikerült: '%s' + Cannot resolve -externalip address: '%s' + Külső cím (-externalip address) feloldása nem sikerült: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Étvénytelen -paytxfee=<összeg> összeg: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Étvénytelen -paytxfee=<összeg> összeg: '%s' Invalid amount @@ -3385,7 +2571,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. If the file does not exist, create it with owner-readable-only file permissions. Be kell állítani rpcpassword=<password> a konfigurációs fájlban %s -Ha a fájl nem létezik, hozd létre 'csak a felhasználó által olvasható' fájl engedéllyel +Ha a fájl nem létezik, hozd létre 'csak a felhasználó által olvasható' fájl engedéllyel \ No newline at end of file diff --git a/src/qt/locale/bitcoin_id_ID.ts b/src/qt/locale/bitcoin_id_ID.ts index bd92878fed7..369272cc89e 100644 --- a/src/qt/locale/bitcoin_id_ID.ts +++ b/src/qt/locale/bitcoin_id_ID.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -31,11 +31,7 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope The Bitcoin Core developers Pembangun Bitcoin Core - - (%1-bit) - - - + AddressBookPage @@ -132,7 +128,7 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope There was an error trying to save the address list to %1. - + Ada kesalahan di dalam menyimpan susunan alamat ke %1. @@ -213,10 +209,6 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope Apakah kamu yakin ingin mengenkripsi dompet anda? - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - Warning: The Caps Lock key is on! Perhatian: tombol Caps Lock sementara aktif! @@ -312,10 +304,6 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope &Pilihan... - &Encrypt Wallet... - %Enkripsi Dompet... - - &Backup Wallet... &Cadangkan Dompet... @@ -433,7 +421,7 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope Request payments (generates QR codes and bitcoin: URIs) - + Permintaan pembayaran (membangkitkan kode QR dan bitcoin: URIs) &About Bitcoin Core @@ -472,10 +460,6 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope Sumber blok tidak tersedia... - Processed %1 of %2 (estimated) blocks of transaction history. - - - Processed %1 blocks of transaction history. %1 blok-blok riwayat transaksi telah diproses @@ -509,7 +493,7 @@ Produk ini termasuk software yang dibangun oleh Proyek OpenSSL untuk Toolkit Ope Transactions after this will not yet be visible. - + Transaksi setelah ini tidak akan ditampilkan Error @@ -561,7 +545,7 @@ Alamat: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Terjadi kesalahan fatal. Bitcoin tidak bisa lagi meneruskan dengan aman dan akan berhenti. @@ -611,15 +595,15 @@ Alamat: %4 (un)select all - + (Tidak)memilih semua Tree mode - + mode pohon List mode - + Mode daftar Amount @@ -663,11 +647,11 @@ Alamat: %4 Lock unspent - + Kunci terpakai. Unlock unspent - + Membuka kunci terpakai Copy quantity @@ -770,8 +754,8 @@ Alamat: %4 Makin penting transaksinya, makin kemungkinan akan termasuk dalam blok. - This label turns red, if the priority is smaller than "medium". - Label ini akan berubah merah, jika prioritas lebih kecil dari "medium". + This label turns red, if the priority is smaller than "medium". + Label ini akan berubah merah, jika prioritas lebih kecil dari "medium". This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +825,12 @@ Alamat: %4 Ubah alamat mengirim - The entered address "%1" is already in the address book. - Alamat yang dimasukkan "%1" sudah ada di dalam buku alamat. + The entered address "%1" is already in the address book. + Alamat yang dimasukkan "%1" sudah ada di dalam buku alamat. - The entered address "%1" is not a valid Bitcoin address. - Alamat yang dimasukkan "%1" bukan alamat Bitcoin yang benar. + The entered address "%1" is not a valid Bitcoin address. + Alamat yang dimasukkan "%1" bukan alamat Bitcoin yang benar. Could not unlock wallet. @@ -907,26 +891,18 @@ Alamat: %4 pilihan UI - Set language, for example "de_DE" (default: system locale) - Atur bahasa, sebagai contoh "id_ID" (standar: system locale) + Set language, for example "de_DE" (default: system locale) + Atur bahasa, sebagai contoh "id_ID" (standar: system locale) Start minimized Memulai terminimalisi - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Tampilkan layar pembuka saat nyala (standar: 1) - - Choose data directory on startup (default: 0) - - - + Intro @@ -938,14 +914,6 @@ Alamat: %4 Selamat Datang ke Bitcoin Core - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - Use the default data directory Menggunakan direktori untuk data yang biasa. @@ -958,8 +926,8 @@ Alamat: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Gagal: Direktori untuk data "%1" tidak bisa dibuat. + Error: Specified data directory "%1" can not be created. + Gagal: Direktori untuk data "%1" tidak bisa dibuat. Error @@ -1024,18 +992,10 @@ Alamat: %4 &Menyalakan Bitcoin pada login sistem - Size of &database cache - - - MB MB - Number of script &verification threads - - - Connect to the Bitcoin network through a SOCKS proxy. Menghubungkan jaringan Bitcoin lewat proxy SOCKS. @@ -1048,6 +1008,10 @@ Alamat: %4 Alamat IP proxy (cth. IPv4: 127.0.0.1 / IPv6: ::1) + Third party transaction URLs + Transaksi URLs pihak ketiga + + Active command-line options that override above options: pilihan perintah-baris aktif menimpa atas pilihan-pilihan: @@ -1064,10 +1028,6 @@ Alamat: %4 &Jaringan - (0 = auto, <0 = leave that many cores free) - - - W&allet D&ompet @@ -1189,15 +1149,15 @@ Alamat: %4 Client restart required to activate changes. - + Restart klien diperlukan untuk mengaktifkan perubahan. Client will be shutdown, do you want to proceed? - + Klien akan dimatikan, apakah anda hendak melanjutkan? This change would require a client restart. - + Perubahan ini akan memerlukan restart klien The supplied proxy address is invalid. @@ -1278,34 +1238,10 @@ Alamat: %4 Gagalan permintaan pembayaran - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Proxy Anda tidak mendukung SOCKS5, yang diperlu untuk permintaan pembayaran melalui proxy. - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - Refund from %1 Pembayaran kembali dari %1 @@ -1314,10 +1250,6 @@ Alamat: %4 Masalah berkomunikasi dengan %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Jawaban salah dari server %1 @@ -1337,20 +1269,20 @@ Alamat: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Gagal: Tidak ada direktori untuk data "%1". + Error: Specified data directory "%1" does not exist. + Gagal: Tidak ada direktori untuk data "%1". Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Kesalahan: Tidak dapat memproses pengaturan berkas: %1. Hanya menggunakan kunci= nilai sintak. Error: Invalid combination of -regtest and -testnet. Gagal: Gabungan -regtest dan -testnet salah - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Inti Bitcoin belum keluar dengan sempurna... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1400,7 +1332,7 @@ Alamat: %4 General - + Umum Using OpenSSL version @@ -1452,7 +1384,7 @@ Alamat: %4 &Clear - + &Kosongkan Totals @@ -1496,31 +1428,31 @@ Alamat: %4 %1 B - + %1 B %1 KB - + %1 KB %1 MB - + %1 MB %1 GB - + %1 GB %1 m - + %1 menit %1 h - + %1 Jam %1 h %2 m - + %1 Jam %2 menit @@ -1538,16 +1470,8 @@ Alamat: %4 &Pesan: - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Gunakan lagi alamat penerima yang ada (tidak disarankan) An optional label to associate with the new receiving address. @@ -1708,7 +1632,7 @@ Alamat: %4 automatically selected - + Pemilihan otomatis Insufficient funds! @@ -1767,10 +1691,6 @@ Alamat: %4 Hapus informasi dari form. - Clear &All - Hapus %Semua - - Balance: Saldo: @@ -1867,10 +1787,6 @@ Alamat: %4 (tidak ada label) - Warning: Unknown change address - - - Are you sure you want to send? Apakah Anda yakin ingin kirim? @@ -1915,7 +1831,7 @@ Alamat: %4 This is a normal payment. - + Ini adalah pembayaran normal Alt+A @@ -1931,7 +1847,7 @@ Alamat: %4 Remove this entry - + Hapus masukan ini Message: @@ -1939,19 +1855,15 @@ Alamat: %4 This is a verified payment request. - + Permintaan pembayaran terverifikasi. Enter a label for this address to add it to the list of used addresses Masukkan label untuk alamat ini untuk dimasukan dalam daftar alamat yang pernah digunakan - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - This is an unverified payment request. - + Permintaan pembayaran tidak terverifikasi. Pay To: @@ -1984,10 +1896,6 @@ Alamat: %4 &Tandakan Pesan - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Alamat yang akan ditandai pesan (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1997,7 +1905,7 @@ Alamat: %4 Alt+A - Alt+J + Alt+A Paste address from clipboard @@ -2032,26 +1940,10 @@ Alamat: %4 Hapus semua bidang penanda pesan - Clear &All - Hapus %Semua - - &Verify Message &Verifikasi Pesan - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - Verify &Message Verifikasi &Pesan @@ -2064,8 +1956,8 @@ Alamat: %4 Masukkan alamat Bitcoin (cth. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - + Click "Sign Message" to generate signature + Tekan "Tandatangan Pesan" untuk menghasilan tanda tangan The entered address is invalid. @@ -2237,10 +2129,6 @@ Alamat: %4 Pedagang - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Informasi debug @@ -2482,10 +2370,6 @@ Alamat: %4 Proses Ekspor Gagal - There was an error trying to save the transaction history to %1. - - - Exporting Successful Proses Ekspor Berhasil @@ -2571,10 +2455,6 @@ Alamat: %4 Cadangkgan Gagal - There was an error trying to save the wallet data to %1. - - - The wallet data was successfully saved to %1. Informasi dalam dompet berhasil disimpan di %1. @@ -2638,20 +2518,12 @@ Alamat: %4 Jumlah kedua untuk menjaga peer buruk dari hubung-ulang (standar: 86400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - Accept command line and JSON-RPC commands Menerima perintah baris perintah dan JSON-RPC Bitcoin Core RPC client version - + Versi klien RPC Inti Bitcoin Run in the background as a daemon and accept commands @@ -2666,87 +2538,16 @@ Alamat: %4 Terima hubungan dari luar (standar: 1 kalau -proxy atau -connect tidak dipilih) - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) Sandi yang diterima (biasanya: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Gagal: Transaksi ditolak. Ini mungkin terjadi jika beberapa dari koin dalam dompet Anda telah digunakan, seperti ketika Anda menggunakan salinan wallet.dat dan beberapa koin telah dibelanjakan dalam salinan tersebut tetapi disini tidak tertandai sebagai terpakai. - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - + Jalankan perintah ketika perubahan transaksi dompet (%s di cmd digantikan oleh TxID) Unable to bind to %s on this computer. Bitcoin Core is probably already running. @@ -2761,7 +2562,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Peringatan: -paytxfee sangat besar! Ini adalah biaya pengiriman yang akan dibayar oleh Anda jika transaksi terkirim. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Perhatian: Mohon diperiksa pengaturan tanggal dan waktu komputer anda apakah sudah benar! Jika pengaturan waktu salah aplikasi Bitcoin tidak akan berjalan dengan tepat. @@ -2777,20 +2578,12 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Awas: wallet.dat tidak bisa dibaca! Berhasil periksakan kunci-kunci dalam arsipnya, tetapi ada kemungkinan informasi tentang transaksi atau isi-isi buku alamat salah atau terhilang. - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - (default: 1) - + (pengaturan awal: 1) (default: wallet.dat) - - - - <category> can be: - + (pengaturan awal: wallet.dat) Attempt to recover private keys from a corrupt wallet.dat @@ -2805,10 +2598,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Pilihan pembuatan blok: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Jangan menghubungkan node(-node) selain yang di daftar @@ -2817,32 +2606,20 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Hubungkan melalui proxy SOCKS - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - Connection options: - + Pilih koneksi: Corrupted block database detected Menemukan database blok yang rusak - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Cari alamat IP Anda sendiri (biasanya: 1 saat mendengarkan dan -externalip tidak terpilih) Do not load the wallet and disable wallet RPC calls - + Jangan memuat dompet dan menonaktifkan panggilan dompet RPC Do you want to rebuild the block database now? @@ -2850,11 +2627,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error initializing block database - + Kesalahan menginisialisasi database blok Error initializing wallet database environment %s! - + Kesalahan menginisialisasi dompet pada database%s! Error loading block database @@ -2877,10 +2654,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error: system error: - Failed to listen on any port. Use -listen=0 if you want this. - - - Failed to read block info Gagal membaca informasi dari blok @@ -2910,7 +2683,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to write to coin database - + Gagal menuliskan ke dalam database koin Failed to write transaction index @@ -2918,25 +2691,17 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to write undo data - + Gagal menulis ulang data Fee per kB to add to transactions you send Biaya untuk setiap kB yang akan ditambahkan ke transaksi yang Anda kirim - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Cari peer dengan daftar alamat DNS (biasanya: 1 jika -connect tidak terpilih) - Force safe mode (default: 0) - - - Generate coins (default: 0) Buatlah koin (biasanya: 0) @@ -2945,52 +2710,36 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Periksakan berapa blok waktu mulai (biasanya: 288, 0 = setiapnya) - If <category> is not supplied, output all debugging information. - - - Importing... - + mengimpor... Incorrect or no genesis block found. Wrong datadir for network? Tidak bisa cari blok pertama, atau blok pertama salah. Salah direktori untuk jaringan? - Invalid -onion address: '%s' - Alamat -onion salah: '%s' + Invalid -onion address: '%s' + Alamat -onion salah: '%s' Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - + Deskripsi berkas tidak tersedia dengan cukup. RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - + Pilihan RPC klien: Select SOCKS version for -proxy (4 or 5, default: 5) Pililah versi SOCKS untuk -proxy (4 atau 5, biasanya: 5) - Set database cache size in megabytes (%d to %d, default: %d) - - - Set maximum block size in bytes (default: %d) Atur ukuran maksimal untuk blok dalam byte (biasanya: %d) Set the number of threads to service RPC calls (default: 4) - + Mengatur jumlah urutan untuk layanan panggilan RPC (pengaturan awal: 4) Specify wallet file (within data directory) @@ -3001,14 +2750,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Perubahan saldo untuk transaksi yang belum dikonfirmasi setelah transaksi terkirim (default: 1) - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Blok-blok sedang diverifikasi... @@ -3026,11 +2767,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Opsi dompet: You need to rebuild the database using -reindex to change -txindex @@ -3045,94 +2782,34 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Tidak bisa mengunci data directory %s. Kemungkinan Bitcoin Core sudah mulai. - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informasi - Invalid amount for -minrelaytxfee=<amount>: '%s' - Nilai yang salah untuk -minrelaytxfee=<amount>: '%s' - - - Invalid amount for -mintxfee=<amount>: '%s' - Nilai yang salah untuk -mintxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Nilai yang salah untuk -minrelaytxfee=<amount>: '%s' - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Nilai yang salah untuk -mintxfee=<amount>: '%s' Maintain a full transaction index (default: 0) Jaga daftar transaksi yang lengkap (biasanya: 0) - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Dilarang menghubungkan node-node selain <net> (IPv4, IPv6 atau Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + Opsi server RPC: SSL options: (see the Bitcoin Wiki for SSL setup instructions) Pilihan SSL: (petunjuk pengaturan SSL lihat dalam Bitcoin Wiki) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Kirim info jejak/debug ke konsol bukan berkas debug.log @@ -3141,18 +2818,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Atur ukuran minimal untuk blok dalam byte (standar: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Mengecilkan berkas debug.log saat klien berjalan (Standar: 1 jika tidak -debug) @@ -3166,11 +2831,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Memulai Bitcoin Core Daemon System error: - + Kesalahan sistem: Transaction amount too small @@ -3185,14 +2850,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Transaksi terlalu besar - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - Username for JSON-RPC connections Nama pengguna untuk hubungan JSON-RPC @@ -3206,11 +2863,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Zapping all transactions from wallet... - Setiap transaksi dalam dompet sedang di-'Zap'... - - - on startup - + Setiap transaksi dalam dompet sedang di-'Zap'... version @@ -3293,28 +2946,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Gagal memuat wallet.dat - Invalid -proxy address: '%s' - Alamat -proxy salah: '%s' + Invalid -proxy address: '%s' + Alamat -proxy salah: '%s' - Unknown network specified in -onlynet: '%s' - Jaringan tidak diketahui yang ditentukan dalam -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Jaringan tidak diketahui yang ditentukan dalam -onlynet: '%s' Unknown -socks proxy version requested: %i Diminta versi proxy -socks tidak diketahui: %i - Cannot resolve -bind address: '%s' - Tidak dapat menyelesaikan alamat -bind: '%s' + Cannot resolve -bind address: '%s' + Tidak dapat menyelesaikan alamat -bind: '%s' - Cannot resolve -externalip address: '%s' - Tidak dapat menyelesaikan alamat -externalip: '%s' + Cannot resolve -externalip address: '%s' + Tidak dapat menyelesaikan alamat -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Nilai salah untuk -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Nilai salah untuk -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_it.ts b/src/qt/locale/bitcoin_it.ts index b9ef5e4d0b9..6b39d1fcdc2 100644 --- a/src/qt/locale/bitcoin_it.ts +++ b/src/qt/locale/bitcoin_it.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -21,7 +21,7 @@ Questo è un software sperimentale. Distribuito sotto la licenza software MIT/X11, vedi il file COPYING incluso oppure su http://www.opensource.org/licenses/mit-license.php. -Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso del Toolkit OpenSSL (http://www.openssl.org/), software crittografico scritto da Eric Young (eay@cryptsoft.com) e software UPnP scritto da Thomas Bernard. +Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso del Toolkit OpenSSL (http://www.openssl.org/), software crittografico scritto da Eric Young (eay@cryptsoft.com) e software UPnP scritto da Thomas Bernard. Copyright @@ -40,7 +40,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso AddressBookPage Double-click to edit address or label - Doppio click per modificare l'indirizzo o l'etichetta + Doppio click per modificare l'indirizzo o l'etichetta Create a new address @@ -52,7 +52,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Copy the currently selected address to the system clipboard - Copia l'indirizzo attualmente selezionato negli appunti + Copia l'indirizzo attualmente selezionato negli appunti &Copy @@ -64,11 +64,11 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso &Copy Address - &Copia l'indirizzo + &Copia l'indirizzo Delete the currently selected address from the list - Cancella l'indirizzo attualmente selezionato dalla lista + Cancella l'indirizzo attualmente selezionato dalla lista Export the data in the current tab to a file @@ -84,11 +84,11 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Choose the address to send coins to - Scegli l'indirizzo a cui inviare bitcoin + Scegli l'indirizzo a cui inviare bitcoin Choose the address to receive coins with - Scegli l'indirizzo con cui ricevere bitcoin + Scegli l'indirizzo con cui ricevere bitcoin C&hoose @@ -96,7 +96,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Sending addresses - Indirizzi d'invio + Indirizzi d'invio Receiving addresses @@ -104,7 +104,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - Questo è un elenco di indirizzi bitcoin a cui puoi inviare pagamenti. Controlla sempre l'importo e l'indirizzo del beneficiario prima di inviare bitcoin. + Questo è un elenco di indirizzi bitcoin a cui puoi inviare pagamenti. Controlla sempre l'importo e l'indirizzo del beneficiario prima di inviare bitcoin. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. @@ -112,7 +112,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Copy &Label - Copia &l'etichetta + Copia &l'etichetta &Edit @@ -178,7 +178,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso This operation needs your wallet passphrase to unlock the wallet. - Quest'operazione necessita della passphrase per sbloccare il portamonete. + Quest'operazione necessita della passphrase per sbloccare il portamonete. Unlock wallet @@ -186,7 +186,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso This operation needs your wallet passphrase to decrypt the wallet. - Quest'operazione necessita della passphrase per decifrare il portamonete, + Quest'operazione necessita della passphrase per decifrare il portamonete, Decrypt wallet @@ -325,7 +325,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso &Sending addresses... - &Indirizzi d'invio... + &Indirizzi d'invio... &Receiving addresses... @@ -421,7 +421,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Tabs toolbar - Barra degli strumenti "Tabs" + Barra degli strumenti "Tabs" [testnet] @@ -505,7 +505,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Last received block was generated %1 ago. - L'ultimo blocco ricevuto è stato generato %1 fa. + L'ultimo blocco ricevuto è stato generato %1 fa. Transactions after this will not yet be visible. @@ -648,19 +648,19 @@ Indirizzo: %4 Copy address - Copia l'indirizzo + Copia l'indirizzo Copy label - Copia l'etichetta + Copia l'etichetta Copy amount - Copia l'importo + Copia l'importo Copy transaction ID - Copia l'ID transazione + Copia l'ID transazione Lock unspent @@ -771,8 +771,8 @@ Indirizzo: %4 Le transazioni con priorità più alta hanno più probabilità di essere incluse in un blocco. - This label turns red, if the priority is smaller than "medium". - Questa etichetta diventa rossa se la priorità è inferiore a "media". + This label turns red, if the priority is smaller than "medium". + Questa etichetta diventa rossa se la priorità è inferiore a "media". This label turns red, if any recipient receives an amount smaller than %1. @@ -807,7 +807,7 @@ Indirizzo: %4 EditAddressDialog Edit Address - Modifica l'indirizzo + Modifica l'indirizzo &Label @@ -815,11 +815,11 @@ Indirizzo: %4 The label associated with this address list entry - L'etichetta associata con questa voce della lista degli indirizzi + L'etichetta associata con questa voce della lista degli indirizzi The address associated with this address list entry. This can only be modified for sending addresses. - L'indirizzo associato a questa voce della rubrica. Può essere modificato solo per gli indirizzi d'invio. + L'indirizzo associato a questa voce della rubrica. Può essere modificato solo per gli indirizzi d'invio. &Address @@ -831,7 +831,7 @@ Indirizzo: %4 New sending address - Nuovo indirizzo d'invio + Nuovo indirizzo d'invio Edit receiving address @@ -839,15 +839,15 @@ Indirizzo: %4 Edit sending address - Modifica indirizzo d'invio + Modifica indirizzo d'invio - The entered address "%1" is already in the address book. - L'indirizzo inserito "%1" è già in rubrica. + The entered address "%1" is already in the address book. + L'indirizzo inserito "%1" è già in rubrica. - The entered address "%1" is not a valid Bitcoin address. - L'indirizzo inserito "%1" non è un indirizzo bitcoin valido. + The entered address "%1" is not a valid Bitcoin address. + L'indirizzo inserito "%1" non è un indirizzo bitcoin valido. Could not unlock wallet. @@ -908,8 +908,8 @@ Indirizzo: %4 UI opzioni - Set language, for example "de_DE" (default: system locale) - Imposta lingua, ad esempio "it_IT" (predefinita: lingua di sistema) + Set language, for example "de_DE" (default: system locale) + Imposta lingua, ad esempio "it_IT" (predefinita: lingua di sistema) Start minimized @@ -921,11 +921,11 @@ Indirizzo: %4 Show splash screen on startup (default: 1) - Mostra finestra di presentazione all'avvio (predefinito: 1) + Mostra finestra di presentazione all'avvio (predefinito: 1) Choose data directory on startup (default: 0) - Scegli una cartella dati all'avvio (predefinito: 0) + Scegli una cartella dati all'avvio (predefinito: 0) @@ -959,8 +959,8 @@ Indirizzo: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Errore: La cartella dati "%1" specificata non può essere creata. + Error: Specified data directory "%1" can not be created. + Errore: La cartella dati "%1" specificata non può essere creata. Error @@ -1018,11 +1018,11 @@ Indirizzo: %4 Automatically start Bitcoin after logging in to the system. - Avvia automaticamente Bitcoin una volta effettuato l'accesso al sistema. + Avvia automaticamente Bitcoin una volta effettuato l'accesso al sistema. &Start Bitcoin on system login - &Avvia Bitcoin all'accesso al sistema + &Avvia Bitcoin all'accesso al sistema Size of &database cache @@ -1049,6 +1049,15 @@ Indirizzo: %4 Indirizzo IP del proxy (es: IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL di terze parti (es: un block explorer) che appaiono nella tabella delle transazioni come voci nel menu contestuale. %s nell'URL è sostituito dall'hash della transazione. +Più URL vengono separati da una barra verticale |. + + + Third party transaction URLs + URL di transazione di terze parti + + Active command-line options that override above options: Opzioni command-line attive che sostituiscono i settaggi sopra elencati: @@ -1082,11 +1091,11 @@ Indirizzo: %4 If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - Disabilitando l'uso di resti non confermati, il resto di una transazione non potrà essere speso fino a quando la transazione non avrà ottenuto almeno una conferma. Questa impostazione influisce inoltre sul calcolo saldo. + Disabilitando l'uso di resti non confermati, il resto di una transazione non potrà essere speso fino a quando la transazione non avrà ottenuto almeno una conferma. Questa impostazione influisce inoltre sul calcolo saldo. &Spend unconfirmed change - %Spendere resti non confermati + &Spendere resti non confermati Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1130,7 +1139,7 @@ Indirizzo: %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Riduci ad icona invece di uscire dall'applicazione quando la finestra viene chiusa. Se l'opzione è attiva, l'applicazione terminerà solo dopo aver selezionato Esci dal menu File. + Riduci ad icona invece di uscire dall'applicazione quando la finestra viene chiusa. Se l'opzione è attiva, l'applicazione terminerà solo dopo aver selezionato Esci dal menu File. M&inimize on close @@ -1146,7 +1155,7 @@ Indirizzo: %4 The user interface language can be set here. This setting will take effect after restarting Bitcoin. - La lingua dell'interfaccia utente può essere impostata qui. L'impostazione avrà effetto dopo il riavvio di Bitcoin. + La lingua dell'interfaccia utente può essere impostata qui. L'impostazione avrà effetto dopo il riavvio di Bitcoin. &Unit to show amounts in: @@ -1154,7 +1163,7 @@ Indirizzo: %4 Choose the default subdivision unit to show in the interface and when sending coins. - Scegli l'unità di suddivisione predefinita da utilizzare per l'interfaccia e per l'invio di monete. + Scegli l'unità di suddivisione predefinita da utilizzare per l'interfaccia e per l'invio di monete. Whether to show Bitcoin addresses in the transaction list or not. @@ -1202,7 +1211,7 @@ Indirizzo: %4 The supplied proxy address is invalid. - L'indirizzo proxy che hai fornito è invalido. + L'indirizzo proxy che hai fornito è invalido. @@ -1268,11 +1277,11 @@ Indirizzo: %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - Impossibile interpretare l'URI! Ciò può essere provocato da un indirizzo Bitcoin non valido o da parametri URI non corretti. + Impossibile interpretare l'URI! Ciò può essere provocato da un indirizzo Bitcoin non valido o da parametri URI non corretti. Requested payment amount of %1 is too small (considered dust). - L'importo di pagamento richiesto di %1 è troppo basso (considerato come trascurabile). + L'importo di pagamento richiesto di %1 è troppo basso (considerato come trascurabile). Payment request error @@ -1287,7 +1296,7 @@ Indirizzo: %4 Avviso Net manager - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Il proxy attualmente attivo non supporta SOCKS5, il quale è necessario per richieste di pagamento via proxy. @@ -1338,8 +1347,8 @@ Indirizzo: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Errore: La cartella dati "%1" specificata non esiste. + Error: Specified data directory "%1" does not exist. + Errore: La cartella dati "%1" specificata non esiste. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1350,8 +1359,8 @@ Indirizzo: %4 Errore: combinazione di -regtest e -testnet non valida. - Bitcoin Core did't yet exit safely... - Bitcoin Core non è ancora stato chiuso in modo sicuro ... + Bitcoin Core didn't yet exit safely... + Bitcoin Core non si è ancora chiuso con sicurezza... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1548,11 +1557,11 @@ Indirizzo: %4 An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - Un messaggio opzionale da allegare alla richiesta di pagamento, il quale sarà mostrato all'apertura della richiesta. Nota: Il messaggio non sarà inviato con il pagamento sulla rete Bitcoin. + Un messaggio opzionale da allegare alla richiesta di pagamento, il quale sarà mostrato all'apertura della richiesta. Nota: Il messaggio non sarà inviato con il pagamento sulla rete Bitcoin. An optional label to associate with the new receiving address. - Un'etichetta facoltativa da associare al nuovo indirizzo di ricezione + Un'etichetta facoltativa da associare al nuovo indirizzo di ricezione Use this form to request payments. All fields are <b>optional</b>. @@ -1596,7 +1605,7 @@ Indirizzo: %4 Copy label - Copia l'etichetta + Copia l'etichetta Copy message @@ -1604,7 +1613,7 @@ Indirizzo: %4 Copy amount - Copia l'importo + Copia l'importo @@ -1655,11 +1664,11 @@ Indirizzo: %4 Resulting URI too long, try to reduce the text for label / message. - L'URI risultante è troppo lungo, prova a ridurre il testo nell'etichetta / messaggio. + L'URI risultante è troppo lungo, prova a ridurre il testo nell'etichetta / messaggio. Error encoding URI into QR Code. - Errore nella codifica dell'URI nel codice QR + Errore nella codifica dell'URI nel codice QR @@ -1749,7 +1758,7 @@ Indirizzo: %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - Se questo è abilitato e l'indirizzo per il resto è vuoto o invalido, il resto sarà inviato ad un nuovo indirizzo bitcoin generato appositamente. + Se questo è abilitato e l'indirizzo per il resto è vuoto o invalido, il resto sarà inviato ad un nuovo indirizzo bitcoin generato appositamente. Custom change address @@ -1777,7 +1786,7 @@ Indirizzo: %4 Confirm the send action - Conferma l'azione di invio + Conferma l'azione di invio S&end @@ -1785,7 +1794,7 @@ Indirizzo: %4 Confirm send coins - Conferma l'invio di bitcoin + Conferma l'invio di bitcoin %1 to %2 @@ -1797,7 +1806,7 @@ Indirizzo: %4 Copy amount - Copia l'importo + Copia l'importo Copy fee @@ -1833,15 +1842,15 @@ Indirizzo: %4 The recipient address is not valid, please recheck. - L'indirizzo del beneficiario non è valido, si prega di ricontrollare. + L'indirizzo del beneficiario non è valido, si prega di ricontrollare. The amount to pay must be larger than 0. - L'importo da pagare dev'essere maggiore di 0. + L'importo da pagare dev'essere maggiore di 0. The amount exceeds your balance. - L'importo è superiore al tuo saldo attuale + L'importo è superiore al tuo saldo attuale The total exceeds your balance when the %1 transaction fee is included. @@ -1849,7 +1858,7 @@ Indirizzo: %4 Duplicate address found, can only send to each address once per send operation. - Rilevato un indirizzo duplicato, è possibile inviare bitcoin una sola volta agli indirizzi durante un'operazione di invio. + Rilevato un indirizzo duplicato, è possibile inviare bitcoin una sola volta agli indirizzi durante un'operazione di invio. Transaction creation failed! @@ -1900,11 +1909,11 @@ Indirizzo: %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'indirizzo del beneficiario a cui inviare il pagamento (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'indirizzo del beneficiario a cui inviare il pagamento (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book - Inserisci un'etichetta per questo indirizzo, per aggiungerlo nella rubrica + Inserisci un'etichetta per questo indirizzo, per aggiungerlo nella rubrica &Label: @@ -1924,7 +1933,7 @@ Indirizzo: %4 Paste address from clipboard - Incollare l'indirizzo dagli appunti + Incollare l'indirizzo dagli appunti Alt+P @@ -1944,7 +1953,7 @@ Indirizzo: %4 Enter a label for this address to add it to the list of used addresses - Inserisci un'etichetta per questo indirizzo per aggiungerlo alla lista degli indirizzi utilizzati + Inserisci un'etichetta per questo indirizzo per aggiungerlo alla lista degli indirizzi utilizzati A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. @@ -1990,7 +1999,7 @@ Indirizzo: %4 The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'indirizzo con cui firmare il messaggio (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'indirizzo con cui firmare il messaggio (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address @@ -2002,7 +2011,7 @@ Indirizzo: %4 Paste address from clipboard - Incolla l'indirizzo dagli appunti + Incolla l'indirizzo dagli appunti Alt+P @@ -2042,15 +2051,15 @@ Indirizzo: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Inserisci l'indirizzo del firmatario, il messaggio (assicurati di copiare esattamente anche i ritorni a capo, gli spazi, le tabulazioni, etc..) e la firma qui sotto, per verificare il messaggio. Presta attenzione a non vedere nella firma più di quanto non sia riportato nel messaggio stesso, per evitare di cadere vittima di attacchi di tipo man-in-the-middle. + Inserisci l'indirizzo del firmatario, il messaggio (assicurati di copiare esattamente anche i ritorni a capo, gli spazi, le tabulazioni, etc..) e la firma qui sotto, per verificare il messaggio. Presta attenzione a non vedere nella firma più di quanto non sia riportato nel messaggio stesso, per evitare di cadere vittima di attacchi di tipo man-in-the-middle. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - L'indirizzo con cui è stato firmato il messaggio (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + L'indirizzo con cui è stato firmato il messaggio (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify the message to ensure it was signed with the specified Bitcoin address - Verifica il messaggio per accertare che sia stato firmato con l'indirizzo specificato + Verifica il messaggio per accertare che sia stato firmato con l'indirizzo specificato Verify &Message @@ -2065,20 +2074,20 @@ Indirizzo: %4 Inserisci un indirizzo Bitcoin (ad esempio 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Clicca "Firma il messaggio" per ottenere la firma + Click "Sign Message" to generate signature + Clicca "Firma il messaggio" per ottenere la firma The entered address is invalid. - L'indirizzo inserito non è valido. + L'indirizzo inserito non è valido. Please check the address and try again. - Per favore controlla l'indirizzo e prova ancora + Per favore controlla l'indirizzo e prova ancora The entered address does not refer to a key. - L'indirizzo bitcoin inserito non è associato a nessuna chiave. + L'indirizzo bitcoin inserito non è associato a nessuna chiave. Wallet unlock was cancelled. @@ -2086,7 +2095,7 @@ Indirizzo: %4 Private key for the entered address is not available. - La chiave privata per l'indirizzo inserito non è disponibile. + La chiave privata per l'indirizzo inserito non è disponibile. Message signing failed. @@ -2238,8 +2247,8 @@ Indirizzo: %4 Mercante - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - È necessario attendere %1 blocchi prima che i bitcoin generati possano essere spesi. Quando è stato generato questo blocco, è stato trasmesso alla rete in modo da poter essere aggiunto alla block chain. Se l'inserimento avrà esito negativo il suo stato sarà modificato in "non accettato" e risulterà non spendibile. Questo può occasionalmente accadere se un altro nodo genera un blocco entro pochi secondi dal tuo. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + È necessario attendere %1 blocchi prima che i bitcoin generati possano essere spesi. Quando è stato generato questo blocco, è stato trasmesso alla rete in modo da poter essere aggiunto alla block chain. Se l'inserimento avrà esito negativo il suo stato sarà modificato in "non accettato" e risulterà non spendibile. Questo può occasionalmente accadere se un altro nodo genera un blocco entro pochi secondi dal tuo. Debug information @@ -2416,7 +2425,7 @@ Indirizzo: %4 This year - Quest'anno + Quest'anno Range... @@ -2444,7 +2453,7 @@ Indirizzo: %4 Enter address or label to search - Inserisci un indirizzo o un'etichetta da cercare + Inserisci un indirizzo o un'etichetta da cercare Min amount @@ -2452,23 +2461,23 @@ Indirizzo: %4 Copy address - Copia l'indirizzo + Copia l'indirizzo Copy label - Copia l'etichetta + Copia l'etichetta Copy amount - Copia l'importo + Copia l'importo Copy transaction ID - Copia l'ID transazione + Copia l'ID transazione Edit label - Modifica l'etichetta + Modifica l'etichetta Show transaction details @@ -2492,7 +2501,7 @@ Indirizzo: %4 The transaction history was successfully saved to %1. - Lo storico delle transazioni e' stato salvato con successo in %1. + Lo storico delle transazioni e' stato salvato con successo in %1. Comma separated file (*.csv) @@ -2640,7 +2649,7 @@ Indirizzo: %4 An error occurred while setting up the RPC port %u for listening on IPv4: %s - Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv4: %s + Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) @@ -2664,7 +2673,7 @@ Indirizzo: %4 Accept connections from outside (default: 1 if no -proxy or -connect) - Accetta connessioni dall'esterno (predefinito: 1 se no -proxy o -connect) + Accetta connessioni dall'esterno (predefinito: 1 se no -proxy o -connect) %s, you must set a rpcpassword in the configuration file: @@ -2676,18 +2685,18 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, devi impostare una rpcpassword nel file di configurazione: %s -Si raccomanda l'uso della seguente password generata casualmente: +Si raccomanda l'uso della seguente password generata casualmente: rpcuser=bitcoinrpc rpcpassword=%s (non serve ricordare questa password) Il nome utente e la password NON DEVONO essere uguali. Se il file non esiste, crealo concedendo permessi di lettura al solo proprietario del file. Si raccomanda anche di impostare alertnotify così sarai avvisato di eventuali problemi; -ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo.com +ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo.com @@ -2696,11 +2705,11 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv6, tornando su IPv4: %s + Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv6, tornando su IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Associa all'indirizzo indicato e resta permanentemente in ascolto su questo. Usa la notazione [host]:porta per l'IPv6 + Associa all'indirizzo indicato e resta permanentemente in ascolto su questo. Usa la notazione [host]:porta per l'IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) @@ -2716,7 +2725,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Error: Listening for incoming connections failed (listen returned error %d) - Errore: l'ascolto per le connessioni in ingresso non è riuscito (errore riportato %d) + Errore: l'ascolto per le connessioni in ingresso non è riuscito (errore riportato %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2724,7 +2733,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Errore: questa transazione necessita di una commissione di almeno %s a causa del suo ammontare, della sua complessità, o dell'uso di fondi recentemente ricevuti! + Errore: questa transazione necessita di una commissione di almeno %s a causa del suo ammontare, della sua complessità, o dell'uso di fondi recentemente ricevuti! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) @@ -2736,7 +2745,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Scarica l'attività del database dalla memoria al log su disco ogni <n> megabytes (predefinito: 100) + Scarica l'attività del database dalla memoria al log su disco ogni <n> megabytes (predefinito: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) @@ -2771,12 +2780,12 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Attenzione: -paytxfee è molto alta. Questa è la commissione che si paga quando si invia una transazione. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Attenzione: si prega di controllare che la data e l'ora del computer siano corrette. Se l'ora di sistema è errata Bitcoin non funzionerà correttamente. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Attenzione: si prega di controllare che la data e l'ora del computer siano corrette. Se l'ora di sistema è errata Bitcoin non funzionerà correttamente. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Attenzione: La rete non sembra essere d'accordo pienamente! Alcuni minatori sembrano riscontrare problemi. + Attenzione: La rete non sembra essere d'accordo pienamente! Alcuni minatori sembrano riscontrare problemi. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. @@ -2860,11 +2869,11 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Error initializing block database - Errore durante l'inizializzazione del database dei blocchi + Errore durante l'inizializzazione del database dei blocchi Error initializing wallet database environment %s! - Errore durante l'inizializzazione dell'ambiente %s del database del portamonete! + Errore durante l'inizializzazione dell'ambiente %s del database del portamonete! Error loading block database @@ -2888,7 +2897,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Failed to listen on any port. Use -listen=0 if you want this. - Nessuna porta disponibile per l'ascolto. Usa -listen=0 se vuoi procedere comunque. + Nessuna porta disponibile per l'ascolto. Usa -listen=0 se vuoi procedere comunque. Failed to read block info @@ -2900,11 +2909,11 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Failed to sync block index - Sincronizzazione dell'indice del blocco fallita + Sincronizzazione dell'indice del blocco fallita Failed to write block index - Scrittura dell'indice del blocco fallita + Scrittura dell'indice del blocco fallita Failed to write block info @@ -2924,7 +2933,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Failed to write transaction index - Scrittura dell'indice di transazione fallita + Scrittura dell'indice di transazione fallita Failed to write undo data @@ -2952,7 +2961,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo How many blocks to check at startup (default: 288, 0 = all) - Numero di blocchi da controllare all'avvio (predefinito: 288, 0 = tutti) + Numero di blocchi da controllare all'avvio (predefinito: 288, 0 = tutti) If <category> is not supplied, output all debugging information. @@ -2967,8 +2976,8 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Blocco genesis non corretto o non trovato. Cartella dati errata? - Invalid -onion address: '%s' - Indirizzo -onion non valido: '%s' + Invalid -onion address: '%s' + Indirizzo -onion non valido: '%s' Not enough file descriptors available. @@ -2976,7 +2985,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Prepend debug output with timestamp (default: 1) - Preponi timestamp all'output di debug (predefinito: 1) + Preponi timestamp all'output di debug (predefinito: 1) RPC client options: @@ -2984,7 +2993,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Rebuild block chain index from current blk000??.dat files - Ricreare l'indice della catena di blocchi dai file blk000??.dat correnti + Ricreare l'indice della catena di blocchi dai file blk000??.dat correnti Select SOCKS version for -proxy (4 or 5, default: 5) @@ -3004,7 +3013,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Specify wallet file (within data directory) - Specifica il file portamonete (all'interno della cartella dati) + Specifica il file portamonete (all'interno della cartella dati) Spend unconfirmed change when sending transactions (default: 1) @@ -3012,7 +3021,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo This is intended for regression testing tools and app development. - Questo è previsto per l'uso con test di regressione e per lo sviluppo di applicazioni. + Questo è previsto per l'uso con test di regressione e per lo sviluppo di applicazioni. Usage (deprecated, use bitcoin-cli): @@ -3028,7 +3037,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Wait for RPC server to start - Attendere l'avvio dell'RPC server + Attendere l'avvio dell'RPC server Wallet %s resides outside data directory %s @@ -3071,12 +3080,12 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Informazioni - Invalid amount for -minrelaytxfee=<amount>: '%s' - Importo non valido per -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Importo non valido per -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Importo non valido per -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Importo non valido per -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3108,11 +3117,11 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Print block on startup, if found in block index - Stampa il blocco all'avvio, se presente nell'indice dei blocchi + Stampa il blocco all'avvio, se presente nell'indice dei blocchi Print block tree on startup (default: 0) - Stampa l'albero dei blocchi all'avvio (default: 0) + Stampa l'albero dei blocchi all'avvio (default: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3152,7 +3161,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Imposta il flag DB_PRIVATE nell'ambiente di database del portamonete (predefinito: 1) + Imposta il flag DB_PRIVATE nell'ambiente di database del portamonete (predefinito: 1) Show all debugging options (usage: --help -help-debug) @@ -3164,7 +3173,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Shrink debug.log file on client startup (default: 1 when no -debug) - Riduci il file debug.log all'avvio del client (predefinito: 1 se non impostato -debug) + Riduci il file debug.log all'avvio del client (predefinito: 1 se non impostato -debug) Signing transaction failed @@ -3188,7 +3197,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Transaction amounts must be positive - L'importo della transazione deve essere positivo + L'importo della transazione deve essere positivo Transaction too large @@ -3221,7 +3230,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo on startup - all'avvio + all'avvio version @@ -3238,7 +3247,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Allow JSON-RPC connections from specified IP address - Consenti connessioni JSON-RPC dall'indirizzo IP specificato + Consenti connessioni JSON-RPC dall'indirizzo IP specificato @@ -3247,11 +3256,11 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Execute command when the best block changes (%s in cmd is replaced by block hash) - Esegui il comando quando il migliore blocco cambia(%s nel cmd è sostituito dall'hash del blocco) + Esegui il comando quando il migliore blocco cambia(%s nel cmd è sostituito dall'hash del blocco) Upgrade wallet to latest format - Aggiorna il wallet all'ultimo formato + Aggiorna il wallet all'ultimo formato Set key pool size to <n> (default: 100) @@ -3309,28 +3318,28 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Errore caricamento wallet.dat - Invalid -proxy address: '%s' - Indirizzo -proxy non valido: '%s' + Invalid -proxy address: '%s' + Indirizzo -proxy non valido: '%s' - Unknown network specified in -onlynet: '%s' - Rete sconosciuta specificata in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Rete sconosciuta specificata in -onlynet: '%s' Unknown -socks proxy version requested: %i Versione -socks proxy sconosciuta richiesta: %i - Cannot resolve -bind address: '%s' - Impossibile risolvere -bind address: '%s' + Cannot resolve -bind address: '%s' + Impossibile risolvere -bind address: '%s' - Cannot resolve -externalip address: '%s' - Impossibile risolvere indirizzo -externalip: '%s' + Cannot resolve -externalip address: '%s' + Impossibile risolvere indirizzo -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Importo non valido per -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Importo non valido per -paytxfee=<amount>: '%s' Invalid amount @@ -3342,7 +3351,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Loading block index... - Caricamento dell'indice del blocco... + Caricamento dell'indice del blocco... Add a node to connect to and attempt to keep the connection open @@ -3358,7 +3367,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo Cannot write default address - Non è possibile scrivere l'indirizzo predefinito + Non è possibile scrivere l'indirizzo predefinito Rescanning... @@ -3370,7 +3379,7 @@ ad esempio: alertnotify=echo %%s | mail -s "Allarme Bitcoin" admin@foo To use the %s option - Per usare l'opzione %s + Per usare l'opzione %s Error diff --git a/src/qt/locale/bitcoin_ja.ts b/src/qt/locale/bitcoin_ja.ts index c7e4fe60916..91eeae6fa5a 100644 --- a/src/qt/locale/bitcoin_ja.ts +++ b/src/qt/locale/bitcoin_ja.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Bitcoinコアについて <b>Bitcoin Core</b> version - + <b>ビットコインコア</b> バージョン @@ -29,11 +29,11 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 The Bitcoin Core developers - + ビットコインコアの開発者 (%1-bit) - + (%1ビット) @@ -108,7 +108,7 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + これらは支払いを受け取るためのビットコインアドレスです。トランザクションごとに新しい受け取り用アドレスを作成することが推奨されます。 Copy &Label @@ -128,13 +128,9 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 Exporting Failed - + エクスポート失敗 - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -273,7 +269,7 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 Node - + ノード Show general overview of wallet @@ -325,15 +321,15 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 &Sending addresses... - + 送金先アドレス一覧 (&S)... &Receiving addresses... - + 受け取り用アドレス一覧 (&R)... Open &URI... - + URI を開く (&U)... Importing blocks from disk... @@ -433,15 +429,15 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 Request payments (generates QR codes and bitcoin: URIs) - + 支払いを要求する (QRコードとbitcoin:ではじまるURIを生成する) &About Bitcoin Core - + ビットコインコアについて (&A) Show the list of used sending addresses and labels - + 使用済みの送金用アドレスとラベルの一覧を表示する Show the list of used receiving addresses and labels @@ -449,15 +445,15 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 Open a bitcoin: URI or payment request - + bitcoin: URIまたは支払いリクエストを開く &Command-line options - + コマンドラインオプション (&C) Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + 有効な Bitcoin のコマンドライン オプションを見るために Bitcoin Core のヘルプメッセージを表示します。 Bitcoin client @@ -493,11 +489,11 @@ MIT/X11 ソフトウェア ライセンスの下で配布されています。 %1 and %2 - + %1 と %2 %n year(s) - + %n 年 %1 behind @@ -574,16 +570,12 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - - - Quantity: - + 数量: Bytes: - + バイト: Amount: @@ -591,35 +583,31 @@ Address: %4 Priority: - + 優先度: Fee: - - - - Low Output: - + 手数料: After Fee: - + 手数料差引後: Change: - + 釣り銭: (un)select all - + すべて選択/選択解除 Tree mode - + ツリーモード List mode - + リストモード Amount @@ -635,7 +623,7 @@ Address: %4 Confirmations - + 検証数 Confirmed @@ -643,7 +631,7 @@ Address: %4 Priority - + 優先度 Copy address @@ -663,87 +651,79 @@ Address: %4 Lock unspent - + 未使用トランザクションをロックする Unlock unspent - + 未使用トランザクションをアンロックする Copy quantity - + 数量をコピーする Copy fee - + 手数料をコピーする Copy after fee - + 手数料差引後の値をコピーする Copy bytes - + バイト数をコピーする Copy priority - - - - Copy low output - + 優先度をコピーする Copy change - + 釣り銭をコピー highest - + 最高 higher - + 非常に高 high - + medium-high - + 中〜高 medium - + low-medium - + 低〜中 low - + lower - + 非常に低 lowest - + 最低 (%1 locked) - + (%1 がロック済み) none - - - - Dust - + なし yes @@ -755,39 +735,27 @@ Address: %4 This label turns red, if the transaction size is greater than 1000 bytes. - + トランザクションサイズが1000バイトを超える場合にはこのラベルは赤くなります。 This means a fee of at least %1 per kB is required. - + これは少なくとも1kBあたり %1 の手数料が必要であることを意味します。 Can vary +/- 1 byte per input. - + ひとつの入力につき1バイト程度ずれることがあります。 Transactions with higher priority are more likely to get included into a block. - + より高い優先度を持つトランザクションの方がブロックに取り込まれやすくなります。 - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + 優先度が「中」未満の場合には、このラベルは赤くなります。 This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + 少なくともひとつの受取額が %1 を下回る場合にはこのラベルは赤くなります。 (no label) @@ -795,11 +763,11 @@ Address: %4 change from %1 (%2) - + %1 (%2) からのおつり (change) - + (おつり) @@ -814,11 +782,11 @@ Address: %4 The label associated with this address list entry - + このアドレス帳項目に結びつけられているラベル The address associated with this address list entry. This can only be modified for sending addresses. - + このアドレス帳項目に結びつけられているアドレス。この項目は送金用アドレスの場合のみ編集することができます。 &Address @@ -841,12 +809,12 @@ Address: %4 送信アドレスを編集 - The entered address "%1" is already in the address book. - 入力されたアドレス "%1" は既にアドレス帳にあります。 + The entered address "%1" is already in the address book. + 入力されたアドレス "%1" は既にアドレス帳にあります。 - The entered address "%1" is not a valid Bitcoin address. - 入力されたアドレス "%1" は無効な Bitcoin アドレスです。 + The entered address "%1" is not a valid Bitcoin address. + 入力されたアドレス "%1" は無効な Bitcoin アドレスです。 Could not unlock wallet. @@ -884,7 +852,7 @@ Address: %4 HelpMessageDialog Bitcoin Core - Command-line options - + ビットコインコア - コマンドライン オプション Bitcoin Core @@ -907,8 +875,8 @@ Address: %4 UI オプション - Set language, for example "de_DE" (default: system locale) - 言語設定 例: "de_DE" (初期値: システムの言語) + Set language, for example "de_DE" (default: system locale) + 言語設定 例: "de_DE" (初期値: システムの言語) Start minimized @@ -916,7 +884,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + 支払いリクエスト用にSSLルート証明書を設定する(デフォルト:-system-) Show splash screen on startup (default: 1) @@ -935,15 +903,15 @@ Address: %4 Welcome to Bitcoin Core. - + ようこそ! As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + これはプログラム最初の起動です。Bitcoin Coreがデータを保存する場所を選択して下さい。 Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Bitcoin Coreは、ビットコインのブロックチェーンのコピーを、ダウンロードして保存します。少なくとも%1ギガバイトのデータが、このディレクトリに保存されます。そしてそれは時間と共に増加します。またウォレットもこのディレクトリに保存されます。 Use the default data directory @@ -958,8 +926,8 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - エラー: 指定のデータ ディレクトリ "%1" を作成できません。 + Error: Specified data directory "%1" can not be created. + エラー: 指定のデータ ディレクトリ "%1" を作成できません。 Error @@ -978,11 +946,11 @@ Address: %4 OpenURIDialog Open URI - + URI を開く Open payment request from URI or file - + URI またはファイルから支払いリクエストを開く URI: @@ -990,11 +958,11 @@ Address: %4 Select payment request file - + 支払いリクエストファイルを選択してください Select payment request file to open - + 開きたい支払いリクエストファイルを選択してください @@ -1025,31 +993,31 @@ Address: %4 Size of &database cache - + データベースキャッシュのサイズ (&D) MB - + MB Number of script &verification threads - + スクリプト検証用スレッド数 (&V) - Connect to the Bitcoin network through a SOCKS proxy. - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) + プロキシのIPアドレス (例えば IPv4: 127.0.0.1 / IPv6: ::1) - &Connect through SOCKS proxy (default proxy): - + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + トランザクションタブのコンテキストメニュー項目に表示する、サードパーティURL (例えばブロックエクスプローラ)。URL中の%sはトランザクションのハッシュ値に置き換えられます。垂直バー | で区切ることで、複数のURLを指定できます。 - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Third party transaction URLs + サードパーティのトランザクションURL Active command-line options that override above options: - + 上のオプションを置き換えることのできる、有効なコマンドラインオプションの一覧: Reset all client options to default. @@ -1065,27 +1033,27 @@ Address: %4 (0 = auto, <0 = leave that many cores free) - + (0 = 自動、0以上 = 指定した数のコアをフリーにする) W&allet - + ウォレット (&A) Expert - + エクスポート Enable coin &control features - + コインコントロール機能を有効化する (&C) If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + 未検証のおつりの使用を無効化すると、トランザクションが少なくとも1検証を獲得するまではそのトランザクションのおつりは利用できなくなります。これは残高の計算方法にも影響します。 &Spend unconfirmed change - + 未検証のおつりを使用する (&S) Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1165,7 +1133,7 @@ Address: %4 Whether to show coin control features or not. - + コインコントロール機能を表示するかどうか。 &OK @@ -1181,7 +1149,7 @@ Address: %4 none - + なし Confirm options reset @@ -1189,15 +1157,15 @@ Address: %4 Client restart required to activate changes. - + 変更を有効化するにはクライアントを再起動する必要があります。 Client will be shutdown, do you want to proceed? - + クライアントは停止されます。続行しますか? This change would require a client restart. - + この変更はクライアントの再起動が必要です。 The supplied proxy address is invalid. @@ -1220,7 +1188,7 @@ Address: %4 Available: - + 利用可能: Your current spendable balance @@ -1228,7 +1196,7 @@ Address: %4 Pending: - + 検証待ち: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance @@ -1272,7 +1240,7 @@ Address: %4 Requested payment amount of %1 is too small (considered dust). - + 要求された支払額 %1 は少なすぎます (ダストとみなされてしまいます)。 Payment request error @@ -1283,42 +1251,26 @@ Address: %4 Bitcoin を起動できません: click-to-pay handler - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - Payment request fetch URL is invalid: %1 - + 支払い要求の取得先URLが無効です: %1 Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + 支払いリクエストファイルを処理しています Unverified payment requests to custom payment scripts are unsupported. - + カスタム支払いスクリプトに対する、検証されていない支払いリクエストはサポートされていません。 Refund from %1 - + %1 からの返金 Error communicating with %1: %2 %1: %2とコミュニケーション・エラーです - Payment request can not be parsed or processed! - - - Bad response from server %1 サーバーの返事は無効 %1 @@ -1338,22 +1290,14 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - エラー: 指定のデータ ディレクトリ "%1" は存在しません。 - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + エラー: 指定のデータ ディレクトリ "%1" は存在しません。 Error: Invalid combination of -regtest and -testnet. エラー: -regtestと-testnetは一緒にするのは無効です。 - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Bitcoin アドレスを入力します (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1401,7 +1345,7 @@ Address: %4 General - + 一般 Using OpenSSL version @@ -1417,7 +1361,7 @@ Address: %4 Name - + 名前 Number of connections @@ -1461,11 +1405,11 @@ Address: %4 In: - + 入力: Out: - + 出力: Build date @@ -1497,31 +1441,31 @@ Address: %4 %1 B - + %1 B %1 KB - + %1 KB %1 MB - + %1 MB %1 GB - + %1 GB %1 m - + %1 m %1 h - + %1 h %1 h %2 m - + %1 h %2 m @@ -1536,35 +1480,35 @@ Address: %4 &Message: - + メッセージ (&M): Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + 以前利用した受取用アドレスのどれかを再利用します。アドレスの再利用はセキュリティおよびプライバシーにおいて問題があります。以前作成した支払リクエストを再生成するとき以外は利用しないでください。 R&euse an existing receiving address (not recommended) - + 既存の受取用アドレスを再利用する (非推奨) (&E) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + 支払リクエストが開始された時に表示される、支払リクエストに添える任意のメッセージです。注意:メッセージはBitcoinネットワークを通じて、支払と共に送られるわけではありません。 An optional label to associate with the new receiving address. - + 受取用アドレスに紐づく任意のラベル。 Use this form to request payments. All fields are <b>optional</b>. - + このフォームを使用して支払のリクエストを行いましょう。すべての項目は<b>任意入力</b>です。 An optional amount to request. Leave this empty or zero to not request a specific amount. - + リクエストする任意の金額。特定の金額をリクエストするのでない場合には、この欄は空白のままかゼロにしてください。 Clear all fields of the form. - + 全ての入力項目をクリア Clear @@ -1572,15 +1516,15 @@ Address: %4 Requested payments history - + 支払リクエスト履歴 &Request payment - + 支払をリクエストする (&R) Show the selected request (does the same as double clicking an entry) - + 選択されたリクエストを表示する(項目をダブルクリックすることでも表示できます) Show @@ -1588,11 +1532,11 @@ Address: %4 Remove the selected entries from the list - + リストから選択項目を削除 Remove - + 削除 Copy label @@ -1600,7 +1544,7 @@ Address: %4 Copy message - + メッセージをコピーする Copy amount @@ -1615,11 +1559,11 @@ Address: %4 Copy &URI - + URI をコピーする (&U) Copy &Address - + アドレスをコピーする (&A) &Save Image... @@ -1627,7 +1571,7 @@ Address: %4 Request payment to %1 - + %1 への支払いリクエストを行う Payment information @@ -1635,7 +1579,7 @@ Address: %4 URI - + URI Address @@ -1686,11 +1630,11 @@ Address: %4 (no message) - + (メッセージなし) (no amount) - + (金額なし) @@ -1701,27 +1645,27 @@ Address: %4 Coin Control Features - + コインコントロール機能 Inputs... - + 入力... automatically selected - + 自動選択 Insufficient funds! - + 残高不足です! Quantity: - + 数量: Bytes: - + バイト: Amount: @@ -1729,31 +1673,27 @@ Address: %4 Priority: - + 優先度: Fee: - - - - Low Output: - + 手数料: After Fee: - + 手数料差引後: Change: - + 釣り銭: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + これが有効にもかかわらずおつりアドレスが空欄であったり無効であった場合には、おつりは新しく生成されたアドレスへ送金されます。 Custom change address - + カスタムおつりアドレス Send to multiple recipients at once @@ -1765,7 +1705,7 @@ Address: %4 Clear all fields of the form. - + 全ての入力項目をクリア Clear &All @@ -1789,11 +1729,11 @@ Address: %4 %1 to %2 - + %1 から %2 Copy quantity - + 数量をコピーする Copy amount @@ -1801,35 +1741,31 @@ Address: %4 Copy fee - + 手数料をコピーする Copy after fee - + 手数料差引後の値をコピーする Copy bytes - + バイト数をコピーする Copy priority - - - - Copy low output - + 優先度をコピーする Copy change - + 釣り銭をコピー Total Amount %1 (= %2) - + 総送金額 %1 (= %2) or - + または The recipient address is not valid, please recheck. @@ -1853,15 +1789,15 @@ Address: %4 Transaction creation failed! - + トラザクションの作成に失敗しました! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + トランザクションは拒否されました。wallet.dat のコピーを使い、そしてコピーしたウォレットからコインを使用したことがマークされなかったときなど、ウォレットのいくつかのコインがすでに使用されている場合に、このエラーは起こるかもしれません。 Warning: Invalid Bitcoin address - + 警告:無効なBitcoinアドレスです (no label) @@ -1869,7 +1805,7 @@ Address: %4 Warning: Unknown change address - + 警告:未知のおつりアドレスです Are you sure you want to send? @@ -1916,7 +1852,7 @@ Address: %4 This is a normal payment. - + これは通常の支払です。 Alt+A @@ -1932,7 +1868,7 @@ Address: %4 Remove this entry - + この項目を削除する Message: @@ -1940,23 +1876,23 @@ Address: %4 This is a verified payment request. - + これは検証済みの支払リクエストです。 Enter a label for this address to add it to the list of used addresses - + このアドレスに対するラベルを入力することで、使用済みアドレスの一覧に追加することができます A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + bitcoin: URIに添付されていたメッセージです。これは参照用としてトランザクションとともに保存されます。注意:このメッセージはBitcoinネットワークを通して送信されるわけではありません。 This is an unverified payment request. - + これは未検証の支払リクエストです。 Pay To: - + 支払先: Memo: @@ -1967,11 +1903,11 @@ Address: %4 ShutdownWindow Bitcoin Core is shutting down... - + Bitcoin Coreをシャットダウンしています。 Do not shut down the computer until this window disappears. - + このウィンドウが消えるまでコンピュータをシャットダウンしないで下さい。 @@ -2065,8 +2001,8 @@ Address: %4 Bitcoin アドレスを入力します (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - 署名を作成するには"メッセージの署名"をクリック + Click "Sign Message" to generate signature + 署名を作成するには"メッセージの署名"をクリック The entered address is invalid. @@ -2125,7 +2061,7 @@ Address: %4 The Bitcoin Core developers - + ビットコインコアの開発者 [testnet] @@ -2136,7 +2072,7 @@ Address: %4 TrafficGraphWidget KB/s - + KB/s @@ -2147,7 +2083,7 @@ Address: %4 conflicted - + 衝突 %1/offline @@ -2238,8 +2174,8 @@ Address: %4 商人 - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + 生成されたコインは使う前に%1のブロックを完成させる必要があります。あなたが生成した時、このブロックはブロック チェーンに追加されるネットワークにブロードキャストされました。チェーンに追加されるのが失敗した場合、状態が"不承認"に変更されて使えなくなるでしょう。これは、別のノードがあなたの数秒前にブロックを生成する場合に時々起こるかもしれません。 Debug information @@ -2309,7 +2245,7 @@ Address: %4 Immature (%1 confirmations, will be available after %2) - + 未成熟(%1検証。%2検証完了後に使用可能となります) Open for %n more block(s) @@ -2333,19 +2269,19 @@ Address: %4 Offline - + オフライン Unconfirmed - + 未検証 Confirming (%1 of %2 recommended confirmations) - + 検証中(%2の推奨検証数のうち、%1検証が完了) Conflicted - + 衝突 Received with @@ -2476,23 +2412,23 @@ Address: %4 Export Transaction History - + トランザクション履歴をエクスポートする Exporting Failed - + エクスポートに失敗しました There was an error trying to save the transaction history to %1. - + トランザクション履歴を %1 へ保存する際にエラーが発生しました。 Exporting Successful - + エクスポートに成功しました The transaction history was successfully saved to %1. - + トランザクション履歴は正常に%1に保存されました。 Comma separated file (*.csv) @@ -2539,7 +2475,7 @@ Address: %4 WalletFrame No wallet has been loaded. - + ウォレットがロードされていません @@ -2573,11 +2509,11 @@ Address: %4 There was an error trying to save the wallet data to %1. - + ウォレットデータを%1へ保存する際にエラーが発生しました。 The wallet data was successfully saved to %1. - + ウォレット データは正常に%1に保存されました。 Backup Successful @@ -2652,7 +2588,7 @@ Address: %4 Bitcoin Core RPC client version - + ビットコインコアRPCクライアントのバージョン Run in the background as a daemon and accept commands @@ -2676,7 +2612,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, rpcpassword を設定ファイルで設定してください: %s @@ -2687,11 +2623,7 @@ rpcpassword=%s ユーザー名とパスワードが同じであってはいけません。 もしもファイルが存在しないなら、所有者だけが読み取れる権限で作成してください。 また、問題が通知されるように alertnotify を設定することをお勧めします; -例えば: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - +例えば: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -2702,20 +2634,12 @@ rpcpassword=%s 指定のアドレスへバインドし、その上で常にリスンします。IPv6 は [ホスト名]:ポート番号 と表記します - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. ブロックを瞬時に解決することができる特別なチェーンを使用して、リグレッションテストモードに入る。これはリグレッションテストツールやアプリケーション開発を対象としています。 Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - + ブロックを瞬時に解決することができる特別なチェーンを使用して、リグレッションテストモードに入る。 Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2730,28 +2654,12 @@ rpcpassword=%s ウォレットの取引を変更する際にコマンドを実行 (cmd の %s は TxID に置換される) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - In this mode -genproclimit controls how many blocks are generated immediately. - + このモードでは -genproclimit は何個のブロックをただちに生成するのか制御します。 Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + スクリプト検証スレッドを設定 (%uから%dの間, 0 = 自動, <0 = たくさんのコアを自由にしておく, 初期値: %d) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2759,18 +2667,14 @@ rpcpassword=%s Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + このコンピュータの %s にバインドすることができません。おそらく Bitcoin Core は既に実行されています。 Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. 警告: -paytxfee が非常に高く設定されています! これは取引を送信する場合に支払う取引手数料です。 - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. 警告: あなたのコンピュータの日時が正しいことを確認してください! 時計が間違っていると Bitcoin は正常に動作しません。 @@ -2791,47 +2695,35 @@ rpcpassword=%s (default: 1) - + (デフォルト: 1) (default: wallet.dat) - + (デフォルト: wallet.dat) <category> can be: - + <category>は以下の値を指定できます: Attempt to recover private keys from a corrupt wallet.dat 壊れた wallet.dat から秘密鍵を復旧することを試す - Bitcoin Core Daemon - - - Block creation options: ブロック作成オプション: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) 指定したノードだけに接続 Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + SOCKS プロキシ経由で接続する Connection options: - + 接続オプション: Corrupted block database detected @@ -2840,11 +2732,7 @@ rpcpassword=%s Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - + デバッグ/テスト用オプション: Discover own IP address (default: 1 when listening and no -externalip) @@ -2852,7 +2740,7 @@ rpcpassword=%s Do not load the wallet and disable wallet RPC calls - + ウォレットは読み込まず、ウォレットRPCコールを無効化する Do you want to rebuild the block database now? @@ -2932,11 +2820,11 @@ rpcpassword=%s Fee per kB to add to transactions you send - + 送信するトランザクションの1kBあたりの手数料 Fees smaller than this are considered zero fee (for relaying) (default: - + この値未満の (中継) 手数料はゼロであるとみなす (デフォルト: Find peers using DNS lookup (default: 1 unless -connect) @@ -2944,7 +2832,7 @@ rpcpassword=%s Force safe mode (default: 0) - + セーフモードを矯正する (デフォルト: 0) Generate coins (default: 0) @@ -2956,47 +2844,39 @@ rpcpassword=%s If <category> is not supplied, output all debugging information. - + <category> が与えられなかった場合には、すべてのデバッグ情報が出力されます。 Importing... - + インポートしています…… Incorrect or no genesis block found. Wrong datadir for network? 不正なブロックあるいは、生成されていないブロックが見つかりました。ネットワークの datadir が間違っていませんか? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + 無効な -onion アドレス:'%s' Not enough file descriptors available. 使用可能なファイルディスクリプタが不足しています。 - Prepend debug output with timestamp (default: 1) - - - RPC client options: - + RPC クライアントのオプション: Rebuild block chain index from current blk000??.dat files 現在の blk000??.dat ファイルからブロック チェーンのインデックスを再構築 - Select SOCKS version for -proxy (4 or 5, default: 5) - - - Set database cache size in megabytes (%d to %d, default: %d) - + データベースのキャッシュサイズをメガバイトで設定 (%dから%d。初期値: %d) Set maximum block size in bytes (default: %d) - + 最大ブロックサイズをバイトで設定 (初期値: %d) Set the number of threads to service RPC calls (default: 4) @@ -3007,16 +2887,8 @@ rpcpassword=%s ウォレットのファイルを指定 (データ・ディレクトリの中に) - Spend unconfirmed change when sending transactions (default: 1) - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - + これはリグレッションテストツールやアプリ開発のためのものです。 Verifying blocks... @@ -3028,7 +2900,7 @@ rpcpassword=%s Wait for RPC server to start - + RPC サーバが開始するのを待つ Wallet %s resides outside data directory %s @@ -3036,11 +2908,11 @@ rpcpassword=%s Wallet options: - + ウォレットオプション: Warning: Deprecated argument -debugnet ignored, use -debug=net - + 警告: 非推奨の引数 -debugnet は無視されました。-debug=net を使用してください You need to rebuild the database using -reindex to change -txindex @@ -3052,39 +2924,35 @@ rpcpassword=%s Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + データ ディレクトリ %s のロックを取得することができません。おそらく Bitcoin Core は実行中です。 Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) 関連のアラートをもらってもすごく長いのフォークを見てもコマンドを実行 (コマンドの中にあるの%sはメッセージから置き換えさせる) - Output debugging information (default: 0, supplying <category> is optional) - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + 最優先/最低手数料の最大サイズをバイトで指定 (初期値: %d) Information 情報 - Invalid amount for -minrelaytxfee=<amount>: '%s' - 不正な額 -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + 不正な額 -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - 不正な額 -minrelaytxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + 不正な額 -minrelaytxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + 署名キャッシュのサイズを <n> エントリーに制限する (デフォルト: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + ブロックの採掘時にトランザクションの優先度と1kBあたりの手数料をログに残す (デフォルト: 0) Maintain a full transaction index (default: 0) @@ -3107,42 +2975,26 @@ rpcpassword=%s <net> (IPv4, IPv6, Tor) ネットワーク内のノードだけに接続する - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + RPC SSL オプション: (SSLのセットアップ手順はビットコインWikiを参照してください) RPC server options: - + RPCサーバのオプション: Randomly drop 1 of every <n> network messages - + <n> 個のネットワークメッセージごとにひとつをランダムに捨てる Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - + <n>個のネットワークメッセージごとにひとつをランダムに改変する SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL オプション: (SSLのセットアップ手順は Bitcoin Wiki をご覧下さい) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file トレース/デバッグ情報を debug.log ファイルの代わりにコンソールへ送る @@ -3151,16 +3003,8 @@ rpcpassword=%s 最小ブロックサイズをバイトで設定 (初期値: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - + すべてのデバッグオプションを表示する (使い方: --help -help-debug) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3176,7 +3020,7 @@ rpcpassword=%s Start Bitcoin Core Daemon - + Bitcoinコアのデーモンを起動 System error: @@ -3216,11 +3060,11 @@ rpcpassword=%s Zapping all transactions from wallet... - + ウォレットからすべてのトランザクションを消去しています... on startup - + 起動時 version @@ -3303,28 +3147,28 @@ rpcpassword=%s wallet.dat 読み込みエラー - Invalid -proxy address: '%s' - 無効な -proxy アドレス: '%s' + Invalid -proxy address: '%s' + 無効な -proxy アドレス: '%s' - Unknown network specified in -onlynet: '%s' - -onlynet で指定された '%s' は未知のネットワークです + Unknown network specified in -onlynet: '%s' + -onlynet で指定された '%s' は未知のネットワークです Unknown -socks proxy version requested: %i -socks で指定された %i は未知のバージョンです - Cannot resolve -bind address: '%s' - -bind のアドレス '%s' を解決できません + Cannot resolve -bind address: '%s' + -bind のアドレス '%s' を解決できません - Cannot resolve -externalip address: '%s' - -externalip のアドレス '%s' を解決できません + Cannot resolve -externalip address: '%s' + -externalip のアドレス '%s' を解決できません - Invalid amount for -paytxfee=<amount>: '%s' - -paytxfee=<amount> の額 '%s' が無効です + Invalid amount for -paytxfee=<amount>: '%s' + -paytxfee=<amount> の額 '%s' が無効です Invalid amount diff --git a/src/qt/locale/bitcoin_ka.ts b/src/qt/locale/bitcoin_ka.ts index fd14152b04c..0c21d7d5699 100644 --- a/src/qt/locale/bitcoin_ka.ts +++ b/src/qt/locale/bitcoin_ka.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -31,11 +31,7 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers Bitcoin Core-ს ავტორები - - (%1-bit) - - - + AddressBookPage @@ -770,8 +766,8 @@ Address: %4 მეტი პრიორიტეტის ტრანსაქციებს მეტი შანსი აქვს მოხვდეს ბლოკში. - This label turns red, if the priority is smaller than "medium". - ნიშნული წითლდება, როცა პრიორიტეტი "საშუალო"-ზე დაბალია. + This label turns red, if the priority is smaller than "medium". + ნიშნული წითლდება, როცა პრიორიტეტი "საშუალო"-ზე დაბალია. This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +837,12 @@ Address: %4 გაგზავნის მისამართის შეცვლა - The entered address "%1" is already in the address book. - მისამართი "%1" უკვე არის მისამართების წიგნში. + The entered address "%1" is already in the address book. + მისამართი "%1" უკვე არის მისამართების წიგნში. - The entered address "%1" is not a valid Bitcoin address. - შეყვანილი მისამართი "%1" არ არის ვალიდური Bitcoin-მისამართი. + The entered address "%1" is not a valid Bitcoin address. + შეყვანილი მისამართი "%1" არ არის ვალიდური Bitcoin-მისამართი. Could not unlock wallet. @@ -907,18 +903,14 @@ Address: %4 ინტერფეისის პარამეტრები - Set language, for example "de_DE" (default: system locale) - აირჩიეთ ენა, მაგალითად "de_DE" (ნაგულისხმევია სისტემური ლოკალი) + Set language, for example "de_DE" (default: system locale) + აირჩიეთ ენა, მაგალითად "de_DE" (ნაგულისხმევია სისტემური ლოკალი) Start minimized გაშვება მინიმიზებული ეკრანით - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) მისალმების ეკრანის ჩვენება გაშვებისას (ნაგულისხმევი:1) @@ -942,10 +934,6 @@ Address: %4 ეს პროგრამის პირველი გაშვებაა; შეგიძლიათ მიუთითოთ, სად შეინახოს მონაცემები Bitcoin Core-მ. - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - Bitcoin Core გადმოტვირთავს და შეინახავს Bitcoin-ის ბლოკთა ჯაჭვს. მითითებულ კატალოგში დაგროვდება სულ ცოტა 1 გბ მონაცემები, და მომავალში უფრო გაიზრდება. საფულეც ამავე კატალოგში შეინახება. - - Use the default data directory ნაგულისხმევი კატალოგის გამოყენება @@ -958,8 +946,8 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - შეცდომა: მითითებული მონაცემთა კატალოგი "%1" ვერ შეიქმნა. + Error: Specified data directory "%1" can not be created. + შეცდომა: მითითებული მონაცემთა კატალოგი "%1" ვერ შეიქმნა. Error @@ -1064,30 +1052,14 @@ Address: %4 &ქსელი - (0 = auto, <0 = leave that many cores free) - - - W&allet ს&აფულე - Expert - - - - Enable coin &control features - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. დაუდასტურებელი ხურდის გამოყენების აკრძალვის შემდეგ მათი გამოყენება შეუძლებელი იქნება, სანამ ტრანსაქციას არ ექნება ერთი დასტური მაინც. ეს აისახება თქვენი ნაშთის დათვლაზეც. - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. როუტერში Bitcoin-კლიენტის პორტის ავტომატური გახსნა. მუშაობს, თუ თქვენს როუტერს ჩართული აქვს UPnP. @@ -1129,7 +1101,7 @@ Address: %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - პროგრამის მინიმიზება ფანჯრის დახურვისას. ოპციის ჩართვის შემდეგ პროგრამის დახურვა შესაძლებელი იქნება მხოლოდ მენიუდან - პუნქტი "გასვლა". + პროგრამის მინიმიზება ფანჯრის დახურვისას. ოპციის ჩართვის შემდეგ პროგრამის დახურვა შესაძლებელი იქნება მხოლოდ მენიუდან - პუნქტი "გასვლა". M&inimize on close @@ -1271,7 +1243,7 @@ Address: %4 Requested payment amount of %1 is too small (considered dust). - მოთხოვნილი გადახდის %1 მოცულობა ძალიან მცირეა (ითვლება "მტვრად") + მოთხოვნილი გადახდის %1 მოცულობა ძალიან მცირეა (ითვლება "მტვრად") Payment request error @@ -1286,7 +1258,7 @@ Address: %4 გაფრთხილება ქსელის მენეჯერისაგან - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. თქვენს აქტიურ პროქსის არა აქვს SOCKS5-ის მხარდაჭერა, რაც საჭიროა გადახდების პროქსით განხორციელებისათვის. @@ -1337,22 +1309,14 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - შეცდომა: მითითებული მონაცემთა კატალოგი "%1" არ არსებობს. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + შეცდომა: მითითებული მონაცემთა კატალოგი "%1" არ არსებობს. Error: Invalid combination of -regtest and -testnet. შეცდომა: -regtest-ისა და -testnet-ის დაუშვებელი კომბინაცია. - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) შეიყვანეთ ბიტკოინ-მისამართი (მაგ. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1488,7 +1452,7 @@ Address: %4 Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - კლავიშები "ზევით" და "ქვევით" - ისტორიაში მოძრაობა, <b>Ctrl-L</b> - ეკრანის გასუფთავება. + კლავიშები "ზევით" და "ქვევით" - ისტორიაში მოძრაობა, <b>Ctrl-L</b> - ეკრანის გასუფთავება. Type <b>help</b> for an overview of available commands. @@ -1843,10 +1807,6 @@ Address: %4 თანხა აღემატება თქვენს ბალანსს - The total exceeds your balance when the %1 transaction fee is included. - საკომისიო 1%-ის დამატების შემდეგ თანხა აჭარბებს თქვენს ბალანსს - - Duplicate address found, can only send to each address once per send operation. მისამართები დუბლირებულია, დაშვებულია ერთ ჯერზე თითო მისამართზე ერთხელ გაგზავნა. @@ -2041,7 +2001,7 @@ Address: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - შეიყვანეთ ხელმოწერის მისამართი, მესიჯი (დაუკვირდით, რომ ზუსტად იყოს კოპირებული სტრიქონის გადატანები, ჰარები, ტაბულაციები და სხვ) და ხელმოწერა მესიჯის ვერიფიკაციისათვის. მიაქციეთ ყურადღება, რომ რაიმე ზედმეტი არ გაგყვეთ კოპირებისას, რათა არ გახდეთ "man-in-the-middle" შეტევის ობიექტი. + შეიყვანეთ ხელმოწერის მისამართი, მესიჯი (დაუკვირდით, რომ ზუსტად იყოს კოპირებული სტრიქონის გადატანები, ჰარები, ტაბულაციები და სხვ) და ხელმოწერა მესიჯის ვერიფიკაციისათვის. მიაქციეთ ყურადღება, რომ რაიმე ზედმეტი არ გაგყვეთ კოპირებისას, რათა არ გახდეთ "man-in-the-middle" შეტევის ობიექტი. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,8 +2024,8 @@ Address: %4 შეიყვანეთ ბიტკოინ-მისამართი (მაგ. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - ხელმოწერის გენერირებისათვის დააჭირეთ "მესიჯის ხელმოწერა"-ს + Click "Sign Message" to generate signature + ხელმოწერის გენერირებისათვის დააჭირეთ "მესიჯის ხელმოწერა"-ს The entered address is invalid. @@ -2237,8 +2197,8 @@ Address: %4 გამყიდველი - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - გენერირებული მონეტები გასაგზავნად მომწიფდება %1 ბლოკის შემდეგ. ეს ბლოკი გენერირების შემდეგ გავრცელებულ იქნა ქსელში ბლოკთა ჯაჭვზე დასამატებლად. თუ ის ვერ ჩაჯდა ჯაჭვში, მიეცემა სტატუსი "უარყოფილია" და ამ მონეტებს ვერ გამოიყენებთ. ასეთი რამ შეიძლება მოხდეს, თუ რომელიმე კვანძმა რამდენიმე წამით დაგასწროთ ბლოკის გენერირება. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + გენერირებული მონეტები გასაგზავნად მომწიფდება %1 ბლოკის შემდეგ. ეს ბლოკი გენერირების შემდეგ გავრცელებულ იქნა ქსელში ბლოკთა ჯაჭვზე დასამატებლად. თუ ის ვერ ჩაჯდა ჯაჭვში, მიეცემა სტატუსი "უარყოფილია" და ამ მონეტებს ვერ გამოიყენებთ. ასეთი რამ შეიძლება მოხდეს, თუ რომელიმე კვანძმა რამდენიმე წამით დაგასწროთ ბლოკის გენერირება. Debug information @@ -2650,10 +2610,6 @@ Address: %4 საკომანდო სტრიქონისა და JSON-RPC-კომამდების ნებართვა - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands რეზიდენტულად გაშვება და კომანდების მიღება @@ -2675,7 +2631,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, მიუთითეთ rpcpassword საკონფიგურაციო ფაილში: %s @@ -2686,7 +2642,7 @@ rpcpassword=%s სახელი და პაროლი ერთმანეთს არ უნდა ემთხვეოდეს. თუ ფაილი არ არსებობს, შექმენით იგი უფლებებით owner-readable-only. ასევე რეკომენდებულია დააყენოთ alertnotify რათა მიიღოთ შეტყობინებები პრობლემების შესახებ; -მაგალითად: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +მაგალითად: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2702,10 +2658,6 @@ rpcpassword=%s მოცემულ მისამართზე მიჯაჭვა მუდმივად მასზე მიყურადებით. გამოიყენეთ [host]:port ფორმა IPv6-სათვის - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. შესვლა რეგრესული ტესტირების რეჟიმში; სპეციალური ჯაჭვის გამოყენებით ბლოკების პოვნა ხდება დაუყოვნებლივ. გამოიყენება რეგრესული ტესტირების ინსტრუმენტებისა და პროგრამების შემუშავებისას. @@ -2714,10 +2666,6 @@ rpcpassword=%s გადასვლა რეგრესული ტესტირების რეჟიმში, რომელიც იყენებს სპეციალურ ჯაჭვს ბლოკების დაუყოვნებლივი პოვნის შესაძლებლობით. - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. შეცდომა: ტრანსაქცია უარყოფილია! შესაძლოა მონეტების ნაწილი თქვენი საფულიდან უკვე გამოყენებულია, რაც შეიძლება მოხდეს wallet.dat-ის ასლის გამოყენებისას, როცა მონეტები გაიგზავნა სხვა ასლიდან, აქ კი არ არის გაგზავნილად მონიშნული. @@ -2730,38 +2678,10 @@ rpcpassword=%s კომანდის შესრულება საფულის ტრანსაქციის ცვლილებისას (%s კომანდაში ჩანაცვლდება TxID-ით) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications ეს არის წინასწარი სატესტო ვერსია - გამოიყენეთ საკუთარი რისკით - არ გამოიყენოთ მოპოვებისა ან კომერციული მიზნებისათვის - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) ფარული Tor-სერვისებით პირების წვდომისათვის სხვა SOCKS5 პროქსის გამოყენება (ნაგულისხმევია: -proxy) @@ -2770,7 +2690,7 @@ rpcpassword=%s ყურადღება: ძალიან მაღალია -paytxfee - საკომისო, რომელსაც თქვენ გადაიხდით ამ ტრანსაქციის გაგზავნის საფასურად. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. ყურადღება: შეამოწმეთ თქვენი კომპიუტერის სისტემური თარიღი და დრო! თუ ისინი არასწორია, Bitcoin ვერ იმუშავებს კორექტულად. @@ -2790,14 +2710,6 @@ rpcpassword=%s ყურადღება: wallet.dat დაზიანებულია! ორიგინალური wallet.dat შენახულია როგორც wallet.{timestamp}.bak %s-ში; თუ შეამჩნიეთ უზუსტობა ნაშთში ან ტრანსაქციებში, აღადგინეთ არქივიდან. - (default: 1) - - - - (default: wallet.dat) - - - <category> can be: <category> შეიძლება იყოს: @@ -2830,22 +2742,10 @@ rpcpassword=%s JSON-RPC-შეერთება პორტზე <port> (ნაგულისხმევი: 8332 ან სატესტო ქსელში: 18332) - Connection options: - - - Corrupted block database detected შენიშნულია ბლოკთა ბაზის დაზიანება - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) საკუთარი IP-მისამართის განსაზღვრა (ნაგულისხმევი: 1 თუ ჩართულია მიყურადება და არ გამოიყენება -externalip) @@ -2934,18 +2834,10 @@ rpcpassword=%s საკომისო კბ-ზე, რომელიც დაემატება გაგზავნილ ტრანსაქციას - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) პირების ძებნა DNS-ით (ნაგულისხმევი: 1 გარდა -connect-ისა) - Force safe mode (default: 0) - - - Generate coins (default: 0) მონეტების გენერირება (ნაგულისხმევი: 0) @@ -2958,16 +2850,12 @@ rpcpassword=%s თუ <category> არ არის მითითებული, ნაჩვენები იქნება სრული დახვეწის ინფორმაცია. - Importing... - - - Incorrect or no genesis block found. Wrong datadir for network? საწყისი ბლოკი არ არსებობს ან არასწორია. ქსელის მონაცემთა კატალოგი datadir ხომ არის არასწორი? - Invalid -onion address: '%s' - არასწორია მისამართი -onion: '%s' + Invalid -onion address: '%s' + არასწორია მისამართი -onion: '%s' Not enough file descriptors available. @@ -2990,10 +2878,6 @@ rpcpassword=%s SOCKS-ვერსიის არჩევა -proxy-სათვის (4 ან 5, ნაგულისხმევი: 5) - Set database cache size in megabytes (%d to %d, default: %d) - - - Set maximum block size in bytes (default: %d) ბლოკის მაქსიმალური ზომის განსაზღვრა ბაიტებში (ნადულისხმევი: %d) @@ -3050,10 +2934,6 @@ rpcpassword=%s ბლოკების იმპორტი გარე blk000??.dat ფაილიდან - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) ბრძანების შესრულება შესაბამისი უწყების მიღებისას ან როცა შეინიშნება საგრძნობი გახლეჩა (cmd-ში %s შეიცვლება მესიჯით) @@ -3070,20 +2950,12 @@ rpcpassword=%s ინფორმაცია - Invalid amount for -minrelaytxfee=<amount>: '%s' - დაუშვებელი მნიშვნელობა -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + დაუშვებელი მნიშვნელობა -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - დაუშვებელი მნიშვნელობა -mintxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + დაუშვებელი მნიშვნელობა -mintxfee=<amount>: '%s' Maintain a full transaction index (default: 0) @@ -3106,42 +2978,10 @@ rpcpassword=%s შეერთება მხოლოდ <net> ქსელის კვანძებთან (IPv4, IPv6 ან Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL ოპციები: (იხილე Bitcoin Wiki-ში SSL-ს მოწყობის ინსტრუქციები) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file ტრასირების/დახვეწის ინფოს გაგზავნა კონსოლზე debug.log ფაილის ნაცვლად @@ -3150,18 +2990,6 @@ rpcpassword=%s დააყენეთ ბლოკის მინიმალური ზომა ბაიტებში (ნაგულისხმევი: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) debug.log ფაილის შეკუმშვა გაშვებისას (ნაგულისხმევია: 1 როცა არ აყენია -debug) @@ -3174,10 +3002,6 @@ rpcpassword=%s მიუთითეთ შეერთების ტაიმაუტი მილიწამებში (ნაგულისხმევი: 5000) - Start Bitcoin Core Daemon - - - System error: სისტემური შეცდომა: @@ -3218,10 +3042,6 @@ rpcpassword=%s ტრანსაქციების ჩახსნა საფულიდან... - on startup - - - version ვერსია @@ -3302,28 +3122,28 @@ rpcpassword=%s არ იტვირთება wallet.dat - Invalid -proxy address: '%s' - არასწორია მისამართი -proxy: '%s' + Invalid -proxy address: '%s' + არასწორია მისამართი -proxy: '%s' - Unknown network specified in -onlynet: '%s' - -onlynet-ში მითითებულია უცნობი ქსელი: '%s' + Unknown network specified in -onlynet: '%s' + -onlynet-ში მითითებულია უცნობი ქსელი: '%s' Unknown -socks proxy version requested: %i მოთხოვნილია -socks პროქსის უცნობი ვერსია: %i - Cannot resolve -bind address: '%s' - ვერ ხერხდება -bind მისამართის გარკვევა: '%s' + Cannot resolve -bind address: '%s' + ვერ ხერხდება -bind მისამართის გარკვევა: '%s' - Cannot resolve -externalip address: '%s' - ვერ ხერხდება -externalip მისამართის გარკვევა: '%s' + Cannot resolve -externalip address: '%s' + ვერ ხერხდება -externalip მისამართის გარკვევა: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - დაუშვებელი მნიშვნელობა -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + დაუშვებელი მნიშვნელობა -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_kk_KZ.ts b/src/qt/locale/bitcoin_kk_KZ.ts index e35055ebd1c..dc54950e4e8 100644 --- a/src/qt/locale/bitcoin_kk_KZ.ts +++ b/src/qt/locale/bitcoin_kk_KZ.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,93 +14,29 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + Жаңа Copy the currently selected address to the system clipboard Таңдаған адресті тізімнен жою - &Copy - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - + Жабу &Export - + Экспорт &Delete Жою - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Үтірмен бөлінген текст (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +55,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Құпия сөзді енгізу @@ -191,3170 +94,366 @@ This product includes software developed by the OpenSSL Project for use in the O Change passphrase Құпия сөзді өзгерту + + + BitcoinGUI - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - + &Transactions + &Транзакциялар - The supplied passphrases do not match. - + E&xit + Шығу - Wallet unlock failed - + &Options... + Параметрлері - The passphrase entered for the wallet decryption was incorrect. - + &Backup Wallet... + Әмиянды жасыру - Wallet decryption failed - + &Change Passphrase... + Құпия сөзді өзгерту - Wallet passphrase was successfully changed. - + Bitcoin + Биткоин - - - BitcoinGUI - Sign &message... - + Wallet + Әмиян - Synchronizing with network... - + &Send + Жіберу - &Overview - + &Receive + Алу - Node - + &File + Файл - Show general overview of wallet - + &Help + Көмек - - &Transactions - + + %n hour(s) + %n сағат - - Browse transaction history - + + %n day(s) + %n күн - - E&xit - + + %n week(s) + %n апта - Quit application - + %1 and %2 + %1 немесе %2 - - Show information about Bitcoin - + + %n year(s) + %n жыл - About &Qt - + %1 behind + %1 қалмады - Show information about Qt - + Error + қате - &Options... - + Warning + Ескерту - &Encrypt Wallet... - + Information + Информация - &Backup Wallet... - + Up to date + Жаңартылған + + + ClientModel + + + CoinControlDialog - &Change Passphrase... - + Amount: + Саны - &Sending addresses... - + Priority: + Басымдық - &Receiving addresses... - + Fee: + Комиссия - Open &URI... - + After Fee: + Комиссия алу кейін - Importing blocks from disk... - + Amount + Саны - Reindexing blocks on disk... - + Address + Адрес - Send coins to a Bitcoin address - + Date + Күні - Modify configuration options for Bitcoin - + Confirmations + Растау саны - Backup wallet to another location - + Confirmed + Растық - Change the passphrase used for wallet encryption - + Priority + Басымдық - &Debug window - + no + жоқ - Open debugging and diagnostic console - + (no label) + (таңбасыз) + + + EditAddressDialog - &Verify message... - + &Address + Адрес + + + FreespaceChecker + + + HelpMessageDialog + + + Intro Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - + Биткоин - Show or hide the main Window - + Error + қате + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage - Encrypt the private keys that belong to your wallet - + Wallet + Әмиян + + + PaymentServer + + + QObject - Sign messages with your Bitcoin addresses to prove you own them - + Bitcoin + Биткоин + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - Verify messages to ensure they were signed with specified Bitcoin addresses - + Address + Адрес - &File - + Amount + Саны - &Settings - + Label + таңба + + + RecentRequestsTableModel - &Help - + Date + Күні - Tabs toolbar - + Label + таңба - [testnet] - + Amount + Саны - Bitcoin Core - + (no label) + (таңбасыз) + + + SendCoinsDialog - Request payments (generates QR codes and bitcoin: URIs) - + Amount: + Саны - &About Bitcoin Core - + Priority: + Басымдық - Show the list of used sending addresses and labels - + Fee: + Комиссия - Show the list of used receiving addresses and labels - + After Fee: + Комиссия алу кейін - Open a bitcoin: URI or payment request - + (no label) + (таңбасыз) + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc - &Command-line options - + Date + Күні - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Amount + Саны + + + TransactionDescDialog + + + TransactionTableModel - Bitcoin client - - - - %n active connection(s) to Bitcoin network - + Date + Күні - No block source available... - + Address + Адрес - Processed %1 of %2 (estimated) blocks of transaction history. - + Amount + Саны + + + TransactionView - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + Comma separated file (*.csv) + Үтірмен бөлінген файл (*.csv) - %1 and %2 - - - - %n year(s) - + Confirmed + Растық - %1 behind - + Date + Күні - Last received block was generated %1 ago. - + Label + таңба - Transactions after this will not yet be visible. - + Address + Адрес - Error - + Amount + Саны + + + WalletFrame + + + WalletModel + + + WalletView - Warning - + &Export + Экспорт + + + bitcoin-core Information - + Информация - Up to date - + Transaction amount too small + Транзакция өте кішкентай - Catching up... - + Transaction too large + Транзакция өте үлкен - Sent transaction - + Warning + Ескерту - Incoming transaction - + Error + қате - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - Адрес - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (таңбасыз) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Адрес - - - Amount - - - - Label - таңба - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - таңба - - - Message - - - - Amount - - - - (no label) - (таңбасыз) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (таңбасыз) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - Адрес - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Үтірмен бөлінген файл (*.csv) - - - Confirmed - - - - Date - - - - Type - - - - Label - таңба - - - Address - Адрес - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - Транзакция өте кішкентай - - - Transaction amounts must be positive - - - - Transaction too large - Транзакция өте үлкен - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ko_KR.ts b/src/qt/locale/bitcoin_ko_KR.ts index c1584600cfa..64427f203e9 100644 --- a/src/qt/locale/bitcoin_ko_KR.ts +++ b/src/qt/locale/bitcoin_ko_KR.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -7,7 +7,7 @@ <b>Bitcoin Core</b> version - <b>비트코인 코어</b> 버젼 + <b>비트코인 코어</b> 버전 @@ -29,18 +29,18 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http The Bitcoin Core developers - 비트코인코어 개발자들 + 비트코인 코어 개발자 (%1-bit) - + (%1-비트) AddressBookPage Double-click to edit address or label - 주소 또는 표를 편집하기 위해 더블클릭 하시오 + 지갑 주소나 이름을 수정하려면 더블클릭하세요. Create a new address @@ -48,7 +48,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &New - + 새 항목 (&N) Copy the currently selected address to the system clipboard @@ -60,11 +60,11 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http C&lose - + 닫기 (&L) &Copy Address - 계좌 복사(&C) + 주소 복사 (&C) Delete the currently selected address from the list @@ -76,11 +76,11 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &Export - + 내보내기 (&E) &Delete - &삭제 + 삭제 (&D) Choose the address to send coins to @@ -92,7 +92,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http C&hoose - + 선택 (&H) Sending addresses @@ -104,19 +104,19 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - 이것이 비트코인 금액을 보내는 주소이다. 항상 코인을 보내기전에 잔고와 받는 주소를 확인하시오 + 비트코인을 받는 계좌 주소입니다. 코인을 보내기 전에 잔고와 받는 주소를 항상 확인하세요. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + 비트코인을 받을 수 있는 계좌 주소입니다. 매 거래마다 새로운 주소 사용을 권장합니다. Copy &Label - 표 복사 + 주소 복사 (&L) &Edit - 편집& + 편집 (&E) Export Address List @@ -130,16 +130,12 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Exporting Failed 내보내기 실패 - - There was an error trying to save the address list to %1. - - - + AddressTableModel Label - + 이름 Address @@ -147,7 +143,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http (no label) - (표 없음) + (이름 없음) @@ -170,7 +166,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - 새로운 암호를 지갑에 입력. 8자보다 많은 단어를 입력하거나 10 자보다 많은 여러 종류를 암호에 사용하세요. + 새로운 암호를 입력합니다. 8개 혹은 그 이상의 단어를 입력하거나 10 자보다 많은 불규칙한 문자를 암호에 사용하세요. Encrypt wallet @@ -178,7 +174,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http This operation needs your wallet passphrase to unlock the wallet. - 이 작업은 지갑을 열기위해 사용자의 지갑의 암호가 필요합니다. + 이 작업을 실행하려면 사용자 지갑의 암호가 필요합니다. Unlock wallet @@ -186,7 +182,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http This operation needs your wallet passphrase to decrypt the wallet. - 이 작업은 지갑을 해독하기 위해 사용자의 지갑 암호가 필요합니다. + 이 작업은 지갑을 해독하기 위해 사용자 지갑의 암호가 필요합니다. Decrypt wallet @@ -206,7 +202,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - 경고: 만약 당신의 지갑을 암호화 하고 비밀번호를 잃어 버릴 경우, 당신의 모든 비트코인들을 잃어버릴 수 있습니다! + 경고: 만약 암호화된 지갑의 비밀번호를 잃어버릴 경우, 모든 비트코인들을 잃어버릴 수 있습니다! Are you sure you wish to encrypt your wallet? @@ -214,7 +210,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + 중요: 본인 지갑파일에서 만든 예전 백업들은 새로 생성한 암화화된 지갑 파일로 교체됩니다. 보안상 이유로 이전에 암호화 하지 않은 지갑 파일 백업은 사용할 수 없게 되니 빠른 시일 내로 새로 암화화된 지갑을 사용하시기 바랍니다. Warning: The Caps Lock key is on! @@ -226,7 +222,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - 암호화 처리 과정을 끝내기 위해 비트코인을 닫겠습니다. 지갑 암호화는 컴퓨터로의 멀웨어 감염으로 인한 비트코인 도난을 완전히 막아주지 못함을 기억하십시오. + 암호화 처리 과정을 끝내기 위해 비트코인을 종료합니다. 지갑 암호화는 컴퓨터로의 멀웨어 감염으로 인한 비트코인 도난을 완전히 방지할 수 없음을 기억하세요. Wallet encryption failed @@ -242,7 +238,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Wallet unlock failed - 지갑 열기를 실패하였습니다. + 지갑을 열지 못했습니다. The passphrase entered for the wallet decryption was incorrect. @@ -254,7 +250,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Wallet passphrase was successfully changed. - 지갑 비밀번호가 성공적으로 변경되었습니다 + 지갑 비밀번호가 성공적으로 변경되었습니다. @@ -269,7 +265,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &Overview - &개요 + 개요 (&O) Node @@ -277,11 +273,11 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Show general overview of wallet - 지갑의 일반적 개요를 보여 줍니다. + 지갑의 일반적 개요를 보여줍니다. &Transactions - &거래 + 거래 (&T) Browse transaction history @@ -325,15 +321,15 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &Sending addresses... - &주소 보내는 중 + 보내는 주소 (&S) &Receiving addresses... - & 주소 받는 중 + 받는 주소 (&R) Open &URI... - URI&열기 + &URI 열기... Importing blocks from disk... @@ -361,7 +357,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &Debug window - 디버그 창& + 디버그 창 (&D) Open debugging and diagnostic console @@ -369,7 +365,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http &Verify message... - 메시지 확인&... + 메시지 확인... (&V) Bitcoin @@ -401,27 +397,27 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Sign messages with your Bitcoin addresses to prove you own them - + 지갑 주소가 본인 소유인지 증명하기 위해 비트코인 주소에 서명할 수 있습니다. Verify messages to ensure they were signed with specified Bitcoin addresses - + 비트코인 주소의 전자 서명 확인을 위해 첨부된 메시지가 있을 경우 이를 검증할 수 있습니다. &File - &파일 + 파일 (&F) &Settings - &설정 + 설정 (&S) &Help - &도움말 + 도움말 (&H) Tabs toolbar - 툴바 색인표 + 탭 형식 툴바 [testnet] @@ -429,39 +425,39 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Bitcoin Core - 비트코인코어 + 비트코인 코어 Request payments (generates QR codes and bitcoin: URIs) - 지불 요청하기 (QR코드와 비트코인이 생성됩니다: URIs) + 지불 요청하기 (QR코드와 bitcoin: URI가 생성됩니다) &About Bitcoin Core - &비트코인 코어 소개 + 비트코인 코어 소개 (&A) Show the list of used sending addresses and labels - + 한번 이상 사용된 보내는 주소와 주소 제목의 목록을 보여줍니다. Show the list of used receiving addresses and labels - + 한번 이상 사용된 받는 주소와 주소 제목의 목록을 보여줍니다. Open a bitcoin: URI or payment request - 비트코인: URI 또는 지불요청 열기 + bitcoin: URI 또는 지불요청 열기 &Command-line options - 명령어-라인 옵션 + 명령줄 옵션 (&C) Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + 사용할 수 있는 비트코인 명령어 옵션 목록을 가져오기 위해 Bitcoin-Qt 도움말 메시지를 표시합니다. Bitcoin client - 비트코인 고객 + 비트코인 클라이언트 %n active connection(s) to Bitcoin network @@ -469,7 +465,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http No block source available... - 사용 가능한 블락 소스가 없습니다... + 사용 가능한 블록이 없습니다... Processed %1 of %2 (estimated) blocks of transaction history. @@ -477,19 +473,19 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Processed %1 blocks of transaction history. - %1 블락의 거래 기록들이 처리됨. + %1 블록의 거래 기록들이 처리됨. %n hour(s) - 시간 + %n시간 %n day(s) - + %n일 %n week(s) - + %n주 %1 and %2 @@ -501,7 +497,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http %1 behind - %1 뒤에 + %1 뒤처짐 Last received block was generated %1 ago. @@ -509,7 +505,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Transactions after this will not yet be visible. - 이것 후의 거래들은 아직 보이지 않을 것입니다. + 이 후의 거래들은 아직 보이지 않을 것입니다. Error @@ -525,11 +521,11 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Up to date - 현재까지 + 최신 Catching up... - 따라잡기... + 블록 따라잡는 중... Sent transaction @@ -537,7 +533,7 @@ MIT/X11 프로그램 라이선스에 따라 배포합니다. COPYING 또는 http Incoming transaction - 거래 들어오는 중 + 들어오고 있는 거래 Date: %1 @@ -561,7 +557,7 @@ Address: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - 치명적인 오류가 있습니다. 비트코인을 더이상 안전하게 진행할 수 없어 빠져나갑니다. + 치명적인 오류가 있습니다. 비트코인을 더이상 안전하게 진행할 수 없어 곧 종료합니다. @@ -575,7 +571,7 @@ Address: %4 CoinControlDialog Coin Control Address Selection - 코인컨트롤 주소 선택 + 코인 컨트롤 주소 선택 Quantity: @@ -583,15 +579,15 @@ Address: %4 Bytes: - Bytes: + 바이트: Amount: - 거래량 + 거래량: Priority: - 우선도: + 우선순위: Fee: @@ -599,7 +595,7 @@ Address: %4 Low Output: - + 소액 출금 여부: After Fee: @@ -607,11 +603,11 @@ Address: %4 Change: - + 체인지: (un)select all - + 모두 선택(취소) Tree mode @@ -643,7 +639,7 @@ Address: %4 Priority - 우선도 + 우선순위 Copy address @@ -651,7 +647,7 @@ Address: %4 Copy label - 라벨 복사하기 + 이름 복사 Copy amount @@ -659,15 +655,15 @@ Address: %4 Copy transaction ID - 송금 ID 복사 + 거래 아이디 복사 Lock unspent - + 비트코인이 사용되지 않은 주소를 잠금 처리합니다. Unlock unspent - + 비트코인이 사용되지 않은 주소를 잠금 해제합니다. Copy quantity @@ -690,48 +686,40 @@ Address: %4 우선도 복사 - Copy low output - - - - Copy change - - - highest - 최상 + 아주 높음 higher - + 보다 높음 high - + 높음 medium-high - 중상 + 약간 높음 medium - + 보통 low-medium - 중하 + 약간 낮음 low - + 낮음 lower - + 보다 낮음 lowest - + 아주 낮음 (%1 locked) @@ -742,10 +730,6 @@ Address: %4 없음 - Dust - - - yes @@ -755,53 +739,37 @@ Address: %4 This label turns red, if the transaction size is greater than 1000 bytes. - + 만약 거래 양이 1000bytes 보다 크면 제목이 빨간색으로 변합니다 This means a fee of at least %1 per kB is required. 이 의미는 수수료가 최소한 %1 per 키로바이트 필요합니다 - Can vary +/- 1 byte per input. - - - Transactions with higher priority are more likely to get included into a block. - + 우선 순위가 높은 거래의 경우 블럭에 포함될 가능성이 더 많습니다. - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - + This label turns red, if the priority is smaller than "medium". + 우선권이 중간보다 작으면 제목이 빨간색으로 변합니다. This means a fee of at least %1 is required. - + 최소 %1의 거래 수수료가 필요하다는 뜻입니다. Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + 노드 릴레이를 위한 최저 수수료의 0.546배보다 낮은 거래는 먼지 거래로 표현됩니다. (no label) - (표 없슴) + (이름 없음) change from %1 (%2) ~로부터 변경 %1 (%2) - - (change) - - - + EditAddressDialog @@ -814,11 +782,7 @@ Address: %4 The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - + 현재 선택된 주소 필드의 제목입니다. &Address @@ -841,12 +805,12 @@ Address: %4 보내는 주소 편집 - The entered address "%1" is already in the address book. - 입력된 주소는"%1" 이미 주소록에 있습니다. + The entered address "%1" is already in the address book. + 입력된 주소는"%1" 이미 주소록에 있습니다. - The entered address "%1" is not a valid Bitcoin address. - 입력한 "%1" 주소는 올바른 비트코인 주소가 아닙니다. + The entered address "%1" is not a valid Bitcoin address. + 입력한 "%1" 주소는 올바른 비트코인 주소가 아닙니다. Could not unlock wallet. @@ -869,7 +833,7 @@ Address: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + 폴더가 이미 존재합니다. 새로운 폴더 생성을 원한다면 %1 명령어를 추가하세요. Path already exists, and is not a directory. @@ -907,8 +871,8 @@ Address: %4 UI 옵션 - Set language, for example "de_DE" (default: system locale) - "de_DE"와 같이 언어를 설정하십시오 (기본값: 시스템 로캘) + Set language, for example "de_DE" (default: system locale) + "de_DE"와 같이 언어를 설정하십시오 (기본값: 시스템 로캘) Start minimized @@ -916,7 +880,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + 지불 요청을 위해 SSL 최상위 인증을 설정합니다. (기본값: -system-) Show splash screen on startup (default: 1) @@ -939,11 +903,11 @@ Address: %4 As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + 프로그램이 처음으로 실행되고 있습니다. 비트코인 코어가 어디에 데이터를 저장할지 선택할 수 있습니다. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + 비트코인 코어가 블럭체인의 복사본을 다운로드 저장합니다. 적어도 %1GB의 데이터가 이 폴더에 저장되며 시간이 경과할수록 점차 증가합니다. 그리고 지갑 또한 이 폴더에 저장됩니다. Use the default data directory @@ -958,8 +922,8 @@ Address: %4 비트코인 - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + 오류 : 별도 정의한 폴더명 "%1" 생성에 실패했습니다. Error @@ -1033,7 +997,7 @@ Address: %4 Number of script &verification threads - + 스크립트 인증 쓰레드의 개수 Connect to the Bitcoin network through a SOCKS proxy. @@ -1048,8 +1012,12 @@ Address: %4 프록시 아이피 주소(예. IPv4:127.0.0.1 / IPv6: ::1) + Third party transaction URLs + 제 3자 거래 URLs + + Active command-line options that override above options: - + 명령어 라인 옵션을 활성화해서 옵션을 우회하시오 Reset all client options to default. @@ -1064,28 +1032,20 @@ Address: %4 네트워크(&N) - (0 = auto, <0 = leave that many cores free) - - - W&allet 지갑 Expert - + 전문가 Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + 코인 상세 제어기능을 활성화합니다 - &C &Spend unconfirmed change - + &확인되지 않은 돈을 쓰다 Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1165,7 +1125,7 @@ Address: %4 Whether to show coin control features or not. - + 코인 상세 제어기능에 대한 표시 여부를 선택할 수 있습니다. &OK @@ -1189,7 +1149,7 @@ Address: %4 Client restart required to activate changes. - + 변경 사항을 적용하기 위해서는 프로그램이 종료 후 재시작되어야 합니다. Client will be shutdown, do you want to proceed? @@ -1197,7 +1157,7 @@ Address: %4 This change would require a client restart. - + 이 변경 사항 적용을 위해 프로그램 재시작이 필요합니다. The supplied proxy address is invalid. @@ -1220,7 +1180,7 @@ Address: %4 Available: - 유용한 + 사용 가능 Your current spendable balance @@ -1228,7 +1188,7 @@ Address: %4 Pending: - 미정 + 미확정 Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance @@ -1256,7 +1216,7 @@ Address: %4 out of sync - 오래됨 + 동기화 필요 @@ -1267,11 +1227,11 @@ Address: %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - + URI의 파싱에 문제가 발생했습니다. 잘못된 비트코인 주소나 URI 파라미터 구성에 오류가 존재할 수 있습니다. Requested payment amount of %1 is too small (considered dust). - + 요청한 금액 %1의 양이 너무 적습니다. (스팸성 거래로 간주) Payment request error @@ -1286,24 +1246,24 @@ Address: %4 네트워크 관리인 경고 - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + 현재의 프록시가 SOCKS5를 지원하지 않아 지불 요청을 수행할 수 없습니다. Payment request fetch URL is invalid: %1 - + 대금 청구서의 URL이 올바르지 않습니다: %1 Payment request file handling - + 지불이 파일 처리를 요청합니다 Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + 지불 요청 파일이 읽혀지지 않거나 처리되지 않습니다! 이것은 지불요청 파일이 인식되지 않는 현상이 발생됩니다. Unverified payment requests to custom payment scripts are unsupported. - + 임의로 변경한 결제 스크립트 기반의 대금 청구서 양식은 검증되기 전까지는 지원되지 않습니다. Refund from %1 @@ -1315,7 +1275,7 @@ Address: %4 Payment request can not be parsed or processed! - + 지불 요청이 처리나 분석이 되지 않습니다 Bad response from server %1 @@ -1337,20 +1297,16 @@ Address: %4 비트코인 - Error: Specified data directory "%1" does not exist. - 애러: 지정한 데이터 폴더 "%1"은 존재하지 않습니다. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + 애러: 지정한 데이터 폴더 "%1"은 존재하지 않습니다. Error: Invalid combination of -regtest and -testnet. - + 오류: 잘못된 -regtest 와 -testnet의 조합입니다. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + 비트코인 코어가 아직 안전하게 종료되지 않았습니다. Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1452,7 +1408,7 @@ Address: %4 &Clear - + &지우기 Totals @@ -1460,11 +1416,11 @@ Address: %4 In: - + In: Out: - + Out: Build date @@ -1494,35 +1450,7 @@ Address: %4 Type <b>help</b> for an overview of available commands. 사용할 수 있는 명령을 둘러보려면 <b>help</b>를 입력하십시오. - - %1 B - % 1 바이트 - - - %1 KB - % 1 킬로바이트 - - - %1 MB - % 1 메가바이트 - - - %1 GB - % 1 기가바이트 - - - %1 m - % 1 분 - - - %1 h - % 1 시간 - - - %1 h %2 m - % 1시 %2 분 - - + ReceiveCoinsDialog @@ -1539,27 +1467,23 @@ Address: %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + 이전에 사용된 수취용 주소를 사용할려고 합니다. 주소의 재사용은 보안과 개인정보 보호 측면에서 문제를 초래할 수 있습니다. 이전 지불 요청을 재생성하는 경우가 아니라면 주소 재사용을 권하지 않습니다. R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + 현재의 수취용 주소를 재사용합니다만 권장하지는 않습니다. (R&) An optional label to associate with the new receiving address. - + 임의의 라벨이 새로운 받기 주소와 결합 Use this form to request payments. All fields are <b>optional</b>. - + 지급을 요청하기 위해 아래 형식을 사용하세요. 입력값은 <b>선택 사항</b> 입니다. An optional amount to request. Leave this empty or zero to not request a specific amount. - + 요청할 금액 입력칸으로 선택 사항입니다. 빈 칸으로 두거나 특정 금액이 필요하지 않는 경우 0을 입력하세요. Clear all fields of the form. @@ -1578,10 +1502,6 @@ Address: %4 지불 요청(&R) - Show the selected request (does the same as double clicking an entry) - - - Show 보기 @@ -1595,7 +1515,7 @@ Address: %4 Copy label - 표 복사하기 + 이름 복사 Copy message @@ -1646,7 +1566,7 @@ Address: %4 Label - + 이름 Message @@ -1669,7 +1589,7 @@ Address: %4 Label - + 이름 Message @@ -1681,7 +1601,7 @@ Address: %4 (no label) - (표 없슴) + (이름 없음) (no message) @@ -1704,7 +1624,7 @@ Address: %4 Inputs... - + 입력... automatically selected @@ -1736,7 +1656,7 @@ Address: %4 Low Output: - + 소액 출금 여부: After Fee: @@ -1744,11 +1664,7 @@ Address: %4 Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + 체인지: Custom change address @@ -1815,14 +1731,6 @@ Address: %4 우선도 복사 - Copy low output - - - - Copy change - - - Total Amount %1 (= %2) 총 액수 %1(=%2) @@ -1856,7 +1764,7 @@ Address: %4 The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + 거래가 거부되었습니다. 몇몇 코인들이 지갑에서 이미 사용된 경우, 예를 들어 코인을 이미 사용한 wallet.dat를 복사해서 사용한 경우 지금 지갑에 기록이 안되있어 이런 일이 생길 수 있습니다. Warning: Invalid Bitcoin address @@ -1864,7 +1772,7 @@ Address: %4 (no label) - (표 없슴) + (이름 없음) Warning: Unknown change address @@ -1899,11 +1807,11 @@ Address: %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + 비트코인을 송금할 지갑 주소 입력하기 (예 : 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book - 당신의 주소록에 이 주소를 추가하기 위하여 표를 입역하세요 + 주소록에 추가될 이 주소의 이름을 입력해 주세요 &Label: @@ -1943,11 +1851,11 @@ Address: %4 Enter a label for this address to add it to the list of used addresses - + 사용된 주소 목록에 새 주소를 추가하기 위해 제목을 입력합니다. A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + 비트코인에 첨부된 메시지: 참고용으로 거래와 함께 저장될 URI. 메모: 이 메시지는 비트코인 네트워크로 전송되지 않습니다. This is an unverified payment request. @@ -1955,7 +1863,7 @@ Address: %4 Pay To: - + 송금할 대상 : Memo: @@ -2041,7 +1949,7 @@ Address: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - + 메시지를 검증하기 위해 아래 칸에 각각 지갑 주소와 메시지, 전자서명을 입력하세요. (메시지 원본의 띄어쓰기, 들여쓰기, 행 나눔 등이 정확하게 입력되어야 하므로 원본을 복사해서 입력하세요) 이 기능은 메시지 검증이 주 목적이며, 네트워크 침입자에 의해 변조되지 않도록 전자서명 해독에 불필요한 시간을 소모하지 마세요. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,8 +1972,8 @@ Address: %4 비트코인 주소를 입력하기 (예 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - 서명을 만들려면 "메시지 서명"을 누르십시오 + Click "Sign Message" to generate signature + 서명을 만들려면 "메시지 서명"을 누르십시오 The entered address is invalid. @@ -2166,7 +2074,7 @@ Address: %4 , broadcast through %n node(s) - + %n 노드를 거쳐 전파합니다. Date @@ -2194,7 +2102,7 @@ Address: %4 label - 라벨 + 이름 Credit @@ -2202,7 +2110,7 @@ Address: %4 matures in %n more block(s) - + %n개 블럭 후에 코인 숙성이 완료됩니다. not accepted @@ -2237,8 +2145,8 @@ Address: %4 상인 - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + 신규 채굴된 코인이 사용되기 위해서는 %1 개의 블럭이 경과되어야 합니다. 블럭을 생성할 때 블럭체인에 추가되도록 네트워크에 전파되는 과정을 거치는데, 블럭체인에 포함되지 못하고 실패한다면 해당 블럭의 상태는 '미승인'으로 표현되고 비트코인 또한 사용될 수 없습니다. 이 현상은 다른 노드가 비슷한 시간대에 동시에 블럭을 생성할 때 종종 발생할 수 있습니다. Debug information @@ -2270,7 +2178,7 @@ Address: %4 Open for %n more block(s) - + %n 개의 추가 블럭을 읽습니다. unknown @@ -2308,11 +2216,11 @@ Address: %4 Immature (%1 confirmations, will be available after %2) - + 충분히 숙성되지 않은 상태 (%1 승인, %2 후에 사용 가능합니다) Open for %n more block(s) - + %n 개의 추가 블럭을 읽습니다. Open until %1 @@ -2340,7 +2248,7 @@ Address: %4 Confirming (%1 of %2 recommended confirmations) - + 승인 중 (권장되는 승인 회수 %2 대비 현재 승인 수 %1) Conflicted @@ -2455,7 +2363,7 @@ Address: %4 Copy label - 표 복사하기 + 이름 복사 Copy amount @@ -2467,7 +2375,7 @@ Address: %4 Edit label - 표 수정하기 + 이름 수정 Show transaction details @@ -2511,7 +2419,7 @@ Address: %4 Label - + 이름 Address @@ -2552,7 +2460,7 @@ Address: %4 WalletView &Export - + 내보내기 (&E) Export the data in the current tab to a file @@ -2572,7 +2480,7 @@ Address: %4 There was an error trying to save the wallet data to %1. - + 지갑 데이터를 %1 폴더에 저장하는 동안 오류가 발생했습니다. The wallet data was successfully saved to %1. @@ -2619,7 +2527,7 @@ Address: %4 Maintain at most <n> connections to peers (default: 125) - 가장 잘 연결되는 사용자를 유지합니다(기본값: 125) + 최대 <n>개의 연결을 유지합니다. (기본값: 125) Connect to a node to retrieve peer addresses, and disconnect @@ -2643,7 +2551,7 @@ Address: %4 Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + 포트 <port>을 통해 JSON-RPC 연결 (기본값: 8332 또는 testnet: 18332) Accept command line and JSON-RPC commands @@ -2651,7 +2559,7 @@ Address: %4 Bitcoin Core RPC client version - + 비트코인 코어 RPC 클라이언트 버전 Run in the background as a daemon and accept commands @@ -2666,90 +2574,42 @@ Address: %4 외부 접속을 승인합니다 - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) 암호 허용(기본값: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + IPv6 연결을 위해 RPC port %u 설정 중 오류가 발생했습니다. IPv4: %s 환경으로 돌아갑니다. Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + 선택된 주소로 고정하며 항상 리슨(Listen)합니다. IPv6 프로토콜인 경우 [host]:port 방식의 명령어 표기법을 사용합니다. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - + 회귀(regression) 테스트 모드를 입력합니다. 이 모드는 어떤 블럭이 즉시 해결될 수 있도록 특정한 블럭체인을 사용하는 것이며 회귀 테스트 도구와 앱 개발의 목적으로 의도된 것입니다. Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + 에러: 거래가 거부되었습니다! 이런 일이 생길 수 있습니다 만약 몇개의 코인들을 지갑에서 이미 사용했다면요, 예를 들어 만약 당신이 wallet.dat를 복사해서 사용했거나 코인들을 사용 후에 복사했다면 여기선 표시가 안되서 사용할 수 없습니다 + +-번역은 했으나 약간 이상한점이 있어서 수정해야함- Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + 오류 : 해당 거래는 송금액, 다중 거래, 최근 수령한 금액의 사용 등의 이유로 최소 %s 이상의 송금 수수료가 필요합니다. Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + 지갑 거래가 바뀌면 명령을 실행합니다.(%s 안의 명령어가 TxID로 바뀝니다) Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + 해당 금액보다 적은 수수료는 수수료 면제로 간주됩니다. (거래 생성의 목적)(기본값: This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + 이 빌드 버전은 정식 출시 전 테스트의 목적이며, 예기치 않은 위험과 오류가 발생할 수 있습니다. 채굴과 상점용 소프트웨어로 사용하는 것을 권하지 않습니다. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) @@ -2760,12 +2620,12 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. 경고: -paytxfee값이 너무 큽니다! 이 값은 송금할때 지불할 송금 수수료입니다. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. 경고: 컴퓨터의 날짜와 시간이 올바른지 확인하십시오! 시간이 잘못되면 비트코인은 제대로 동작하지 않습니다. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + 경고 : 모든 네트워크가 동의해야 하나, 일부 채굴자들에게 문제가 있는 것으로 보입니다. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. @@ -2773,23 +2633,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + 경고 : wallet.dat 파일을 읽는 중 에러가 발생했습니다. 주소 키는 모두 정확하게 로딩되었으나 거래 데이터와 주소록 필드에서 누락이나 오류가 존재할 수 있습니다. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + 경고 : wallet.dat가 손상되어 데이터가 복구되었습니다. 원래의 wallet.dat 파일은 %s 후에 wallet.{timestamp}.bak 이름으로 저장됩니다. 잔액과 거래 내역이 정확하지 않다면 백업 파일로 부터 복원해야 합니다. (default: 1) - + (기본값: 1) (default: wallet.dat) - - - - <category> can be: - + (기본값: wallet.dat) Attempt to recover private keys from a corrupt wallet.dat @@ -2821,7 +2677,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Connection options: - + 연결 설정 : Corrupted block database detected @@ -2829,11 +2685,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Debugging/Testing options: - + 디버그 및 테스트 설정 Disable safemode, override a real safe mode event (default: 0) - + 안전 모드를 비활성화하고 안전 모드의 이벤트가 발생하더라도 무시합니다. (기본값: 0, 비활성화) Discover own IP address (default: 1 when listening and no -externalip) @@ -2841,7 +2697,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Do not load the wallet and disable wallet RPC calls - + 지갑 불러오기를 하지마시오 또한 지갑 RPC 연결을 차단하십시오 Do you want to rebuild the block database now? @@ -2852,10 +2708,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. 블록 데이터베이스를 초기화하는데 오류 - Error initializing wallet database environment %s! - - - Error loading block database 블록 데이터베이스를 불러오는데 오류 @@ -2921,11 +2773,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fee per kB to add to transactions you send - + 송금 거래시 추가되는 KB 당 수수료입니다. Fees smaller than this are considered zero fee (for relaying) (default: - + 해당 금액보다 적은 수수료는 수수료 면제로 간주됩니다. (릴레이 목적)(기본값: Find peers using DNS lookup (default: 1 unless -connect) @@ -2933,7 +2785,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Force safe mode (default: 0) - + 안전 모드로 강제 진입하는 기능입니다.(기본값: 0) Generate coins (default: 0) @@ -2945,27 +2797,23 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. If <category> is not supplied, output all debugging information. - + <카테고리>가 제공되지 않을 경우, 모든 디버깅 정보를 출력 Importing... - + 들여오기 중... Incorrect or no genesis block found. Wrong datadir for network? - + 올바르지 않거나 생성된 블록을 찾을 수 없습니다. 잘못된 네트워크 자료 디렉토리? - Invalid -onion address: '%s' - 잘못된 -onion 주소입니다: '%s' + Invalid -onion address: '%s' + 잘못된 -onion 주소입니다: '%s' Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - + 사용 가능한 파일 디스크립터-File Descriptor-가 부족합니다. RPC client options: @@ -2973,7 +2821,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Rebuild block chain index from current blk000??.dat files - + 현재의 blk000??.dat 파일들로부터 블록체인 색인을 재구성합니다. Select SOCKS version for -proxy (4 or 5, default: 5) @@ -2989,21 +2837,13 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Set the number of threads to service RPC calls (default: 4) - + 원격 프로시져 호출 서비스를 위한 쓰레드 개수를 설정합니다 (기본값 : 4) Specify wallet file (within data directory) 데이터 폴더 안에 지갑 파일을 선택하세요. - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - Usage (deprecated, use bitcoin-cli): 사용법 (오래되었습니다. bitcoin-cli를 사용하십시오): @@ -3021,7 +2861,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wallet %s resides outside data directory %s - + 지갑 %s는 데이터 디렉토리 %s 밖에 위치합니다. Wallet options: @@ -3029,51 +2869,51 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: Deprecated argument -debugnet ignored, use -debug=net - + 경고: -debugnet 옵션은 더이상 지원하지 않습니다. -debug=net의 형태로 사용하세요. You need to rebuild the database using -reindex to change -txindex - + -txindex를 바꾸기 위해서는 -reindex를 사용해서 데이터베이스를 재구성해야 합니다. Imports blocks from external blk000??.dat file - 외부 blk000??.dat 파일에서 블록 가져오기 + 외부 blk000??.dat 파일에서 블록을 가져옵니다. Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + 데이터 디렉토리 %s에 락을 걸 수 없었습니다. 비트코인 코어가 이미 실행 중인 것으로 보입니다. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + 이 사항과 관련있는 경고가 발생하거나 아주 긴 포크가 발생했을 때 명령어를 실행해 주세요. (cmd 명령어 목록에서 %s는 메시지로 대체됩니다) Output debugging information (default: 0, supplying <category> is optional) - + 출력 오류 정보(기본값:0, 임의의 공급 카테고리) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + 최대 크기를 최우선으로 설정 / 바이트당 최소 수수료로 거래(기본값: %d) Information 정보 - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + 노드로 전달하기 위한 최저 거래 수수료가 부족합니다. - minrelaytxfee=<amount>: '%s' - - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + 최저 거래 수수료가 부족합니다. -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + <n>번 째 순서에서 전자서명 캐쉬의 용량을 제한합니다. (기본값: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + 블럭을 채굴할 때 kB당 거래 우선 순위와 수수료를 로그에 남깁니다. (기본값: 0, 비활성화) Maintain a full transaction index (default: 0) @@ -3081,11 +2921,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + 최대 연결마다 1000bytes 버퍼를 받는다. (기본값: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + 최대 연결 마다 1000bytes 버퍼를 보낸다.(기본값: 1000) Only accept block chain matching built-in checkpoints (default: 1) @@ -3093,35 +2933,31 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + 노드가 있는 네트워크에만 접속 합니다(IPv4, IPv6 또는 Tor) Print block on startup, if found in block index - + 블럭 색인을 발견하면 구동 시 블럭을 출력합니다. Print block tree on startup (default: 0) - + 구동 시 블럭 트리를 출력합니다. (기본값: 0, 비활성화) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + RPC SSL 옵션: (비트코인 위키의 SSL 설정 설명서 참고) RPC server options: - + RPC 서버 설정 Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - + 모든 네트워크 메시지 마다 무작위로 1이 떨어진다 Run a thread to flush wallet periodically (default: 1) - + 주기적으로 지갑을 비우도록 설정 (기본값: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3129,7 +2965,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Send command to Bitcoin Core - + 비트코인 코어로 명령 보내기 Send trace/debug info to console instead of debug.log file @@ -3141,15 +2977,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + 전자지갑 데이터베이스 환경에 DB_PRIVATE 플래그를 설정합니다. (기본값: 1, 활성화) Show all debugging options (usage: --help -help-debug) - + 모든 디버그 설정 보기(설정: --help -help-debug) Show benchmark information (default: 0) - + 벤치마크 정보 보기(기본값: 0) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3165,7 +3001,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + 비트코인 코어의 데몬 프로그램을 실행합니다. System error: @@ -3209,7 +3045,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. on startup - + 구동 중 version @@ -3292,28 +3128,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. wallet.dat 불러오기 에러 - Invalid -proxy address: '%s' - 잘못된 -proxy 주소입니다: '%s' + Invalid -proxy address: '%s' + 잘못된 -proxy 주소입니다: '%s' - Unknown network specified in -onlynet: '%s' - -onlynet에 지정한 네트워크를 알 수 없습니다: '%s' + Unknown network specified in -onlynet: '%s' + -onlynet에 지정한 네트워크를 알 수 없습니다: '%s' Unknown -socks proxy version requested: %i 요청한 -socks 프록히 버전을 알 수 없습니다: %i - Cannot resolve -bind address: '%s' - -bind 주소를 확인할 수 없습니다: '%s' + Cannot resolve -bind address: '%s' + -bind 주소를 확인할 수 없습니다: '%s' - Cannot resolve -externalip address: '%s' - -externalip 주소를 확인할 수 없습니다: '%s' + Cannot resolve -externalip address: '%s' + -externalip 주소를 확인할 수 없습니다: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - -paytxfee=<amount>에 대한 양이 잘못되었습니다: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + -paytxfee=<amount>에 대한 양이 잘못되었습니다: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_ky.ts b/src/qt/locale/bitcoin_ky.ts index 375e72d3592..2e8b19545ec 100644 --- a/src/qt/locale/bitcoin_ky.ts +++ b/src/qt/locale/bitcoin_ky.ts @@ -1,142 +1,21 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - Double-click to edit address or label - - - Create a new address Жаң даректи жасоо - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete Ө&чүрүү - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - Label - - - Address Дарек @@ -147,3214 +26,330 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog + + + BitcoinGUI - Passphrase Dialog - + &Transactions + &Транзакциялар - Enter passphrase - + &Verify message... + Билдирүүнү &текшерүү... - New passphrase - + Bitcoin + Bitcoin - Repeat new passphrase - + Wallet + Капчык - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - + &File + &Файл - Encrypt wallet - + &Help + &Жардам - This operation needs your wallet passphrase to unlock the wallet. - + Error + Ката - Unlock wallet - + Warning + Эскертүү - This operation needs your wallet passphrase to decrypt the wallet. - + Information + Маалымат - Decrypt wallet - + Up to date + Жаңыланган + + + ClientModel + + + CoinControlDialog - Change passphrase - + Address + Дарек - Enter the old and new passphrase to the wallet. - + Date + Дата - Confirm wallet encryption - + none + жок - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + (no label) + (аты жок) + + + EditAddressDialog - Are you sure you wish to encrypt your wallet? - + &Address + &Дарек + + + FreespaceChecker + + + HelpMessageDialog - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + version + версия + + + Intro - Warning: The Caps Lock key is on! - + Bitcoin + Bitcoin - Wallet encrypted - + Error + Ката + + + OpenURIDialog + + + OptionsDialog - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + MB + МБ - Wallet encryption failed - + &Network + &Тармак - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - + &Port: + &Порт: - The supplied passphrases do not match. - + &Window + &Терезе - Wallet unlock failed - + &OK + &Жарайт - The passphrase entered for the wallet decryption was incorrect. - + &Cancel + &Жокко чыгаруу - Wallet decryption failed - + default + жарыяланбаган - Wallet passphrase was successfully changed. - + none + жок - + - BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - + OverviewPage - Show general overview of wallet - + Wallet + Капчык - &Transactions - &Транзакциялар + out of sync + синхрондоштурулган эмес + + + PaymentServer + + + QObject - Browse transaction history - + Bitcoin + Bitcoin + + + QRImageWidget + + + RPCConsole - E&xit - + &Information + Маалымат - Quit application - + General + Жалпы - Show information about Bitcoin - + Name + Аты - About &Qt - + &Open + &Ачуу - Show information about Qt - + &Console + &Консоль - &Options... - + Clear console + Консолду тазалоо + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - &Encrypt Wallet... - + Address + Дарек - &Backup Wallet... - + Message + Билдирүү + + + RecentRequestsTableModel - &Change Passphrase... - + Date + Дата - &Sending addresses... - + Message + Билдирүү - &Receiving addresses... - + (no label) + (аты жок) + + + SendCoinsDialog - Open &URI... - + Clear &All + &Бардыгын тазалоо - Importing blocks from disk... - + S&end + &Жөнөтүү - Reindexing blocks on disk... - + (no label) + (аты жок) + + + SendCoinsEntry - Send coins to a Bitcoin address - + Paste address from clipboard + Даректи алмашуу буферинен коюу - Modify configuration options for Bitcoin - + Message: + Билдирүү: + + + ShutdownWindow + + + SignVerifyMessageDialog - Backup wallet to another location - + Paste address from clipboard + Даректи алмашуу буферинен коюу - Change the passphrase used for wallet encryption - + Clear &All + &Бардыгын тазалоо + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc - &Debug window - + %1/offline + %1/тармакта эмес - Open debugging and diagnostic console - + Date + Дата - &Verify message... - Билдирүүнү &текшерүү... + Message + Билдирүү + + + TransactionDescDialog + + + TransactionTableModel - Bitcoin - Bitcoin + Date + Дата - Wallet - Капчык + Address + Дарек + + + TransactionView - &Send - + Date + Дата - &Receive - + Address + Дарек + + + WalletFrame + + + WalletModel + + + WalletView + + + bitcoin-core - &Show / Hide - + Information + Маалымат - Show or hide the main Window - + Warning + Эскертүү - Encrypt the private keys that belong to your wallet - + version + версия - Sign messages with your Bitcoin addresses to prove you own them - + Error + Ката - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - &Файл - - - &Settings - - - - &Help - &Жардам - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - Ката - - - Warning - Эскертүү - - - Information - Маалымат - - - Up to date - Жаңыланган - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - Дарек - - - Date - Дата - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - жок - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (аты жок) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Дарек - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - версия - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" can not be created. - - - - Error - Ката - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - МБ - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - &Тармак - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - &Порт: - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - &Терезе - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - &Жарайт - - - &Cancel - &Жокко чыгаруу - - - default - жарыяланбаган - - - none - жок - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - Капчык - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - синхрондоштурулган эмес - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - Bitcoin - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - Жалпы - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - Аты - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - &Ачуу - - - &Console - &Консоль - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - Консолду тазалоо - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Дарек - - - Amount - - - - Label - - - - Message - Билдирүү - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Дата - - - Label - - - - Message - Билдирүү - - - Amount - - - - (no label) - (аты жок) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - &Бардыгын тазалоо - - - Balance: - - - - Confirm the send action - - - - S&end - &Жөнөтүү - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (аты жок) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - Даректи алмашуу буферинен коюу - - - Alt+P - - - - Remove this entry - - - - Message: - Билдирүү: - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - Даректи алмашуу буферинен коюу - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - &Бардыгын тазалоо - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - %1/тармакта эмес - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - Дата - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - Билдирүү - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - Дата - - - Type - - - - Address - Дарек - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - Дата - - - Type - - - - Label - - - - Address - Дарек - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - Маалымат - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - Эскертүү - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - версия - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - Ката - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_la.ts b/src/qt/locale/bitcoin_la.ts index 89f4be82026..a0e8b99a53c 100644 --- a/src/qt/locale/bitcoin_la.ts +++ b/src/qt/locale/bitcoin_la.ts @@ -1,15 +1,7 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - This is experimental software. @@ -26,15 +18,7 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op Copyright Copyright - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -46,22 +30,10 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op Crea novam inscriptionem - &New - - - Copy the currently selected address to the system clipboard Copia inscriptionem iam selectam in latibulum systematis - &Copy - - - - C&lose - - - &Copy Address &Copia Inscriptionem @@ -82,34 +54,10 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op &Dele - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. Hae sunt inscriptiones mittendi pensitationes. Semper inspice quantitatem et inscriptionem accipiendi antequam nummos mittis. - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label Copia &Titulum @@ -118,22 +66,10 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op &Muta - Export Address List - - - Comma separated file (*.csv) Comma Separata Plica (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -271,10 +207,6 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op &Summarium - Node - - - Show general overview of wallet Monstra generale summarium cassidilis @@ -323,18 +255,6 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op &Muta tesseram... - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - Importing blocks from disk... Importans frusta ab disco... @@ -420,7 +340,7 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op Tabs toolbar - Tabella instrumentorum "Tabs" + Tabella instrumentorum "Tabs" [testnet] @@ -431,34 +351,6 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op Bitcoin Nucleus - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoin cliens @@ -491,14 +383,6 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op %n hebdomas%n hebdomades - %1 and %2 - - - - %n year(s) - - - %1 behind %1 post @@ -573,54 +457,10 @@ Inscriptio: %4 CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: Quantitas: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Quantitas @@ -633,18 +473,10 @@ Inscriptio: %4 Dies - Confirmations - - - Confirmed Confirmatum - Priority - - - Copy address Copia inscriptionem @@ -661,146 +493,10 @@ Inscriptio: %4 Copia transactionis ID - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (nullus titulus) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -812,14 +508,6 @@ Inscriptio: %4 &Titulus - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Inscriptio @@ -840,12 +528,12 @@ Inscriptio: %4 Muta inscriptionem mittendi - The entered address "%1" is already in the address book. - Inserta inscriptio "%1" iam in libro inscriptionum est. + The entered address "%1" is already in the address book. + Inserta inscriptio "%1" iam in libro inscriptionum est. - The entered address "%1" is not a valid Bitcoin address. - Inscriptio inserta "%1" non valida inscriptio Bitcoin est. + The entered address "%1" is not a valid Bitcoin address. + Inscriptio inserta "%1" non valida inscriptio Bitcoin est. Could not unlock wallet. @@ -858,34 +546,10 @@ Inscriptio: %4 FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Bitcoin Nucleus @@ -906,96 +570,32 @@ Inscriptio: %4 UI optiones - Set language, for example "de_DE" (default: system locale) - Constitue linguam, exempli gratia "de_DE" (praedefinitum: lingua systematis) + Set language, for example "de_DE" (default: system locale) + Constitue linguam, exempli gratia "de_DE" (praedefinitum: lingua systematis) Start minimized Incipe minifactum ut icon - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Monstra principem imaginem ad initium (praedefinitum: 1) - - Choose data directory on startup (default: 0) - - - + Intro - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error - - - - GB of free space available - - - - (of %1GB needed) - + Error - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1023,34 +623,6 @@ Inscriptio: %4 &Pelle Bitcoin cum inire systema - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - Reset all client options to default. Reconstitue omnes optiones clientis ad praedefinita. @@ -1063,30 +635,6 @@ Inscriptio: %4 &Rete - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Aperi per se portam clientis Bitcoin in itineratore. Hoc tantum effectivum est si itineratrum tuum supportat UPnP et id activum est. @@ -1163,10 +711,6 @@ Inscriptio: %4 &Monstra inscriptiones in enumeratione transactionum - Whether to show coin control features or not. - - - &OK &OK @@ -1179,26 +723,10 @@ Inscriptio: %4 praedefinitum - none - - - Confirm options reset Confirma optionum reconstituere - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - The supplied proxy address is invalid. Inscriptio vicarii tradita non valida est. @@ -1218,22 +746,6 @@ Inscriptio: %4 Cassidile - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - Immature: Immatura: @@ -1242,14 +754,6 @@ Inscriptio: %4 Fossum pendendum quod nondum maturum est - Total: - - - - Your current total balance - - - <b>Recent transactions</b> <b>Recentes transactiones</b> @@ -1269,66 +773,10 @@ Inscriptio: %4 URI intellegi non posse! Huius causa possit inscriptionem Bitcoin non validam aut URI parametra maleformata. - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - Cannot start bitcoin: click-to-pay handler Bitcoin incipere non potest: cliccare-ad-pensandum handler - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1336,22 +784,6 @@ Inscriptio: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Insere inscriptionem Bitcoin (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1359,22 +791,10 @@ Inscriptio: %4 QRImageWidget - &Save Image... - - - - &Copy Image - - - Save QR Code Salva codicem QR - - PNG Image (*.png) - - - + RPCConsole @@ -1394,14 +814,6 @@ Inscriptio: %4 &Informatio - Debug window - - - - General - - - Using OpenSSL version Utens OpenSSL versione @@ -1414,10 +826,6 @@ Inscriptio: %4 Rete - Name - - - Number of connections Numerus conexionum @@ -1446,26 +854,6 @@ Inscriptio: %4 &Terminale - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - Build date Dies aedificandi @@ -1493,114 +881,18 @@ Inscriptio: %4 Type <b>help</b> for an overview of available commands. Scribe <b>help</b> pro summario possibilium mandatorum. - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: &Titulus: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label Copia titulum - Copy message - - - Copy amount Copia quantitatem @@ -1608,34 +900,6 @@ Inscriptio: %4 ReceiveRequestDialog - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - Address Inscriptio @@ -1667,91 +931,31 @@ Inscriptio: %4 Dies - Label - Titulus - - - Message - Nuntius - - - Amount - Quantitas - - - (no label) - (nullus titulus) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Mitte Nummos - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - Quantitas: - - - Priority: - - - - Fee: - + Label + Titulus - Low Output: - + Message + Nuntius - After Fee: - + Amount + Quantitas - Change: - + (no label) + (nullus titulus) + + + SendCoinsDialog - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Send Coins + Mitte Nummos - Custom change address - + Amount: + Quantitas: Send to multiple recipients at once @@ -1762,10 +966,6 @@ Inscriptio: %4 Adde &Accipientem - Clear all fields of the form. - - - Clear &All Vacuefac &Omnia @@ -1786,50 +986,10 @@ Inscriptio: %4 Confirma mittendum nummorum - %1 to %2 - - - - Copy quantity - - - Copy amount Copia quantitatem - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - The recipient address is not valid, please recheck. Inscriptio accipientis non est valida, sodes reproba. @@ -1850,42 +1010,10 @@ Inscriptio: %4 Geminata inscriptio inventa, tantum posse mittere ad quamque inscriptionem semel singulare operatione. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (nullus titulus) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1909,14 +1037,6 @@ Inscriptio: %4 &Titulus: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1929,49 +1049,13 @@ Inscriptio: %4 Alt+P - Remove this entry - - - Message: Nuntius: - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -1991,10 +1075,6 @@ Inscriptio: %4 Inscriptio qua signare nuntium (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2063,8 +1143,8 @@ Inscriptio: %4 Insere inscriptionem Bitcoin (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Clicca "Signa Nuntium" ut signatio generetur + Click "Sign Message" to generate signature + Clicca "Signa Nuntium" ut signatio generetur The entered address is invalid. @@ -2122,21 +1202,13 @@ Inscriptio: %4 Bitcoin Nucleus - The Bitcoin Core developers - - - [testnet] [testnet] TrafficGraphWidget - - KB/s - - - + TransactionDesc @@ -2144,10 +1216,6 @@ Inscriptio: %4 Apertum donec %1 - conflicted - - - %1/offline %1/non conecto @@ -2232,14 +1300,6 @@ Inscriptio: %4 ID transactionis - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Informatio de debug @@ -2267,10 +1327,6 @@ Inscriptio: %4 , has not been successfully broadcast yet , nondum prospere disseminatum est - - Open for %n more block(s) - Aperi pro %n pluribus frustis - unknown ignotum @@ -2305,10 +1361,6 @@ Inscriptio: %4 Amount Quantitas - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) Aperi pro %n plure frustoAperi pro %n pluribus frustis @@ -2330,22 +1382,6 @@ Inscriptio: %4 Generatum sed non acceptum - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Acceptum cum @@ -2473,26 +1509,6 @@ Inscriptio: %4 Monstra particularia transactionis - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - Comma separated file (*.csv) Comma Separata Plica (*.csv) @@ -2535,11 +1551,7 @@ Inscriptio: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2570,14 +1582,6 @@ Inscriptio: %4 Conservare abortum est. - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - Backup Successful Successum in conservando @@ -2649,10 +1653,6 @@ Inscriptio: %4 Accipe terminalis et JSON-RPC mandata. - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Operare infere sicut daemon et mandata accipe @@ -2674,7 +1674,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, necesse est te rpcpassword constituere in plica configurationis: %s @@ -2685,14 +1685,10 @@ rpcpassword=%s Nomen usoris et tessera eadem esse NON POSSUNT. Si plica non existit, eam crea cum permissionibus ut eius dominus tantum sinitur id legere. Quoque hortatur alertnotify constituere ut tu notificetur de problematibus; -exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" admin@foo.com +exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" admin@foo.com - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Error erat dum initians portam RPC %u pro auscultando in IPv6, labens retrorsum ad IPv4: %s @@ -2701,22 +1697,6 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Conglutina ad inscriptionem datam et semper in eam ausculta. Utere [moderatrum]:porta notationem pro IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Error: Transactio eiecta est! Hoc possit accidere si alii nummorum in cassidili tuo iam soluti sint, ut si usus es exemplar de wallet.dat et nummi soluti sunt in exemplari sed non hic notati ut soluti. @@ -2729,58 +1709,18 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Facere mandatum quotiescumque cassidilis transactio mutet (%s in mandato sbstituitur ab TxID) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications Hoc est prae-dimittum experimentala aedes - utere eo periculo tuo proprio - nolite utere fodendo vel applicationibus mercatoriis - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Monitio: -paytxfee constitutum valde magnum! Hoc est merces transactionis solves si mittis transactionem. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Monitio: Sodes cura ut dies tempusque computatri tui recti sunt! Si horologium tuum pravum est, Bitcoin non proprie fungetur. - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Monitio: error legendo wallet.dat! Omnes claves recte lectae, sed data transactionum vel libri inscriptionum fortasse desint vel prava sint. @@ -2789,70 +1729,26 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Monitio: wallet.data corrupta, data salvata! Originalis wallet.dat salvata ut wallet.{timestamp}.bak in %s; si pendendum tuum vel transactiones pravae sunt, oportet ab conservato restituere. - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - Attempt to recover private keys from a corrupt wallet.dat Conare recipere claves privatas de corrupto wallet.dat - Bitcoin Core Daemon - - - Block creation options: Optiones creandi frustorum: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Conecte sole ad nodos specificatos (vel nodum specificatum) - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - Corrupted block database detected Corruptum databasum frustorum invenitur - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Discooperi propriam inscriptionem IP (praedefinitum: 1 quando auscultans et nullum -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Visne reficere databasum frustorum iam? @@ -2929,22 +1825,10 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Scribere data pro cancellando mutationes abortum est - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Inveni paria utendo DNS quaerendo (praedefinitum: 1 nisi -connect) - Force safe mode (default: 0) - - - Generate coins (default: 0) Genera nummos (praedefinitum: 0) @@ -2953,70 +1837,18 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Quot frusta proba ad initium (praedefinitum: 288, 0 = omnia) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - Not enough file descriptors available. Inopia descriptorum plicarum. - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - Rebuild block chain index from current blk000??.dat files Restituere indicem catenae frustorum ex activis plicis blk000??.dat - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - Set the number of threads to service RPC calls (default: 4) Constitue numerum filorum ad tractandum RPC postulationes (praedefinitum: 4) - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Verificante frusta... @@ -3025,64 +1857,20 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Verificante cassidilem... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - Imports blocks from external blk000??.dat file Importat frusta ab externa plica blk000??.dat - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informatio - Invalid amount for -minrelaytxfee=<amount>: '%s' - Quantitas non valida pro -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Quantitas non valida pro -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Quantitas non valida pro -mintxfee=<amount>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Quantitas non valida pro -mintxfee=<amount>: '%s' Maintain a full transaction index (default: 0) @@ -3105,42 +1893,10 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Tantum conecte ad nodos in rete <net> (IPv4, IPv6 aut Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) Optiones SSL: (vide vici de Bitcoin pro instructionibus SSL configurationis) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Mitte informationem vestigii/debug ad terminale potius quam plicam debug.log @@ -3149,18 +1905,6 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Constitue minimam magnitudinem frusti in octetis/bytes (praedefinitum: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Diminue plicam debug.log ad initium clientis (praedefinitum: 1 nisi -debug) @@ -3173,10 +1917,6 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Specifica tempumfati conexionis in millisecundis (praedefinitum: 5000) - Start Bitcoin Core Daemon - - - System error: Systematis error: @@ -3213,14 +1953,6 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Monitio: Haec versio obsoleta est, progressio postulata! - Zapping all transactions from wallet... - - - - on startup - - - version versio @@ -3301,28 +2033,28 @@ exempli gratia: alertnotify=echo %%s | mail -s "Bitcoin Notificatio" a Error legendi wallet.dat - Invalid -proxy address: '%s' - Inscriptio -proxy non valida: '%s' + Invalid -proxy address: '%s' + Inscriptio -proxy non valida: '%s' - Unknown network specified in -onlynet: '%s' - Ignotum rete specificatum in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Ignotum rete specificatum in -onlynet: '%s' Unknown -socks proxy version requested: %i Ignota -socks vicarii versio postulata: %i - Cannot resolve -bind address: '%s' - Non posse resolvere -bind inscriptonem: '%s' + Cannot resolve -bind address: '%s' + Non posse resolvere -bind inscriptonem: '%s' - Cannot resolve -externalip address: '%s' - Non posse resolvere -externalip inscriptionem: '%s' + Cannot resolve -externalip address: '%s' + Non posse resolvere -externalip inscriptionem: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Quantitas non valida pro -paytxfee=<quantitas>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Quantitas non valida pro -paytxfee=<quantitas>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_lt.ts b/src/qt/locale/bitcoin_lt.ts index 103cd5f53d9..4fba0a28830 100644 --- a/src/qt/locale/bitcoin_lt.ts +++ b/src/qt/locale/bitcoin_lt.ts @@ -1,13 +1,9 @@ - + AboutDialog About Bitcoin Core - - - - <b>Bitcoin Core</b> version - + Apie Bitcoin Core @@ -26,15 +22,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Copyright Copyright - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -66,14 +54,6 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. &Kopijuoti adresą - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - &Export &Eksportuoti @@ -82,32 +62,16 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. &Trinti - Choose the address to send coins to - - - - Choose the address to receive coins with - - - C&hoose - + P&asirinkti Sending addresses - + Siunčiami adresai Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Gaunami adresai Copy &Label @@ -119,7 +83,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Export Address List - + Eksportuoti adresų sąrašą Comma separated file (*.csv) @@ -127,13 +91,9 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Exporting Failed - - - - There was an error trying to save the address list to %1. - + Eksportavimas nepavyko - + AddressTableModel @@ -212,10 +172,6 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Ar tikrai norite šifruoti savo piniginę? - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - Warning: The Caps Lock key is on! Įspėjimas: įjungtas Caps Lock klavišas! @@ -272,7 +228,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Node - + Taškas Show general overview of wallet @@ -324,15 +280,11 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. &Sending addresses... - + &Siunčiami adresai... &Receiving addresses... - - - - Open &URI... - + &Gaunami adresai... Importing blocks from disk... @@ -396,15 +348,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + Užšifruoti privačius raktus, kurie priklauso jūsų piniginei &File @@ -431,32 +375,8 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. Bitcoin branduolys - Request payments (generates QR codes and bitcoin: URIs) - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + &Apie Bitcoin Core Bitcoin client @@ -466,18 +386,6 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. %n active connection(s) to Bitcoin network %n Bitcoin tinklo aktyvus ryšys%n Bitcoin tinklo aktyvūs ryšiai%n Bitcoin tinklo aktyvūs ryšiai - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - %n hour(s) %n valanda%n valandos%n valandų @@ -491,32 +399,12 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. %n savaitė%n savaitės%n savaičių - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - Error Klaida Warning - + Įspėjimas Information @@ -557,11 +445,7 @@ Adresas: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> Piniginė <b>užšifruota</b> ir šiuo metu <b>užrakinta</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel @@ -572,16 +456,12 @@ Adresas: %4 CoinControlDialog - Coin Control Address Selection - - - Quantity: - + Kiekis: Bytes: - + Baitai: Amount: @@ -589,35 +469,31 @@ Adresas: %4 Priority: - + Pirmumas: Fee: - - - - Low Output: - + Mokestis: After Fee: - + Po mokesčio: Change: - + Graža: (un)select all - + (ne)pasirinkti viską Tree mode - + Medžio režimas List mode - + Sąrašo režimas Amount @@ -633,7 +509,7 @@ Adresas: %4 Confirmations - + Patvirtinimai Confirmed @@ -641,7 +517,7 @@ Adresas: %4 Priority - + Pirmumas Copy address @@ -656,150 +532,78 @@ Adresas: %4 Kopijuoti sumą - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - Copy quantity - + Kopijuoti kiekį Copy fee - + Kopijuoti mokestį Copy after fee - + Kopijuoti po mokesčio Copy bytes - + Kopijuoti baitus Copy priority - - - - Copy low output - - - - Copy change - + Kopijuoti pirmumą highest - + auksčiausias higher - + aukštesnis high - + aukštas medium-high - + vidutiniškai aukštas medium - + vidutiniškai low-medium - + žemai-vidutiniškas low - + žemas lower - + žemesnis lowest - - - - (%1 locked) - + žemiausias none - - - - Dust - + niekas yes - + taip no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + ne (no label) (nėra žymės) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -811,14 +615,6 @@ Adresas: %4 Ž&ymė - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Adresas @@ -839,11 +635,11 @@ Adresas: %4 Keisti siuntimo adresą - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. Įvestas adresas „%1“ jau yra adresų knygelėje. - The entered address "%1" is not a valid Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. Įvestas adresas „%1“ nėra galiojantis Bitcoin adresas. @@ -858,33 +654,13 @@ Adresas: %4 FreespaceChecker - A new data directory will be created. - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - + pavadinimas - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Bitcoin branduolys @@ -905,26 +681,14 @@ Adresas: %4 Naudotoji sąsajos parametrai - Set language, for example "de_DE" (default: system locale) - Nustatyti kalbą, pavyzdžiui "lt_LT" (numatyta: sistemos kalba) + Set language, for example "de_DE" (default: system locale) + Nustatyti kalbą, pavyzdžiui "lt_LT" (numatyta: sistemos kalba) Start minimized Paleisti sumažintą - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro @@ -933,68 +697,20 @@ Adresas: %4 Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - + Sveiki atvykę į Bitcoin Core. Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Klaida - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1006,10 +722,6 @@ Adresas: %4 &Pagrindinės - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee &Mokėti sandorio mokestį @@ -1022,70 +734,10 @@ Adresas: %4 &Paleisti Bitcoin programą su window sistemos paleidimu - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - &Network &Tinklas - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Automatiškai atidaryti Bitcoin kliento prievadą maršrutizatoriuje. Tai veikia tik tada, kai jūsų maršrutizatorius palaiko UPnP ir ji įjungta. @@ -1154,18 +806,10 @@ Adresas: %4 Rodomų ir siunčiamų monetų kiekio matavimo vienetai - Whether to show Bitcoin addresses in the transaction list or not. - - - &Display addresses in transaction list &Rodyti adresus sandorių sąraše - Whether to show coin control features or not. - - - &OK &Gerai @@ -1179,23 +823,7 @@ Adresas: %4 none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - + niekas The supplied proxy address is invalid. @@ -1209,38 +837,14 @@ Adresas: %4 Forma - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - Wallet Piniginė - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - Immature: Nepribrendę: - Mined balance that has not yet matured - - - Total: Viso: @@ -1264,66 +868,6 @@ Adresas: %4 URI apdorojimas - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - Network request error Tinklo užklausos klaida @@ -1335,22 +879,6 @@ Adresas: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Įveskite bitkoinų adresą (pvz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1358,22 +886,10 @@ Adresas: %4 QRImageWidget - &Save Image... - - - - &Copy Image - - - Save QR Code Įrašyti QR kodą - - PNG Image (*.png) - - - + RPCConsole @@ -1393,14 +909,6 @@ Adresas: %4 &Informacija - Debug window - - - - General - - - Using OpenSSL version Naudojama OpenSSL versija @@ -1413,10 +921,6 @@ Adresas: %4 Tinklas - Name - - - Number of connections Prisijungimų kiekis @@ -1429,10 +933,6 @@ Adresas: %4 Dabartinis blokų skaičius - Estimated total blocks - - - Last block time Paskutinio bloko laikas @@ -1445,24 +945,8 @@ Adresas: %4 &Konsolė - &Network Traffic - - - - &Clear - - - Totals - - - - In: - - - - Out: - + Viso: Build date @@ -1473,24 +957,12 @@ Adresas: %4 Derinimo žurnalo failas - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - Clear console Išvalyti konsolę Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - + Sveiki atvykę į Bitcoin RPC konsolę. %1 B @@ -1524,82 +996,14 @@ Adresas: %4 ReceiveCoinsDialog - &Amount: - - - &Label: Ž&ymė: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label Kopijuoti žymę - Copy message - - - Copy amount Kopijuoti sumą @@ -1611,30 +1015,10 @@ Adresas: %4 QR kodas - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - Payment information Mokėjimo informacija - URI - - - Address Adresas @@ -1651,10 +1035,6 @@ Adresas: %4 Žinutė - Resulting URI too long, try to reduce the text for label / message. - - - Error encoding URI into QR Code. Klaida, koduojant URI į QR kodą. @@ -1681,15 +1061,7 @@ Adresas: %4 (no label) (nėra žymės) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1697,28 +1069,12 @@ Adresas: %4 Siųsti monetas - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - Quantity: - + Kiekis: Bytes: - + Baitai: Amount: @@ -1726,31 +1082,19 @@ Adresas: %4 Priority: - + Pirmumas: Fee: - - - - Low Output: - + Mokestis: After Fee: - + Po mokesčio: Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - + Graža: Send to multiple recipients at once @@ -1761,10 +1105,6 @@ Adresas: %4 &A Pridėti gavėją - Clear all fields of the form. - - - Clear &All Išvalyti &viską @@ -1785,12 +1125,8 @@ Adresas: %4 Patvirtinti monetų siuntimą - %1 to %2 - - - Copy quantity - + Kopijuoti kiekį Copy amount @@ -1798,35 +1134,19 @@ Adresas: %4 Copy fee - + Kopijuoti mokestį Copy after fee - + Kopijuoti po mokesčio Copy bytes - + Kopijuoti baitus Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - + Kopijuoti pirmumą The recipient address is not valid, please recheck. @@ -1849,42 +1169,10 @@ Adresas: %4 Rastas adreso dublikatas. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (nėra žymės) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1896,10 +1184,6 @@ Adresas: %4 Mokėti &gavėjui: - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Enter a label for this address to add it to your address book Įveskite žymę šiam adresui kad galėtumėte įtraukti ją į adresų knygelę @@ -1908,14 +1192,6 @@ Adresas: %4 Ž&ymė: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1928,72 +1204,24 @@ Adresas: %4 Alt+P - Remove this entry - - - Message: Žinutė: - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - Signatures - Sign / Verify a Message - - - &Sign Message &Pasirašyti žinutę - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Įveskite bitkoinų adresą (pvz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2010,24 +1238,12 @@ Adresas: %4 Įveskite pranešimą, kurį norite pasirašyti čia - Signature - - - - Copy the current signature to the system clipboard - - - Sign the message to prove you own this Bitcoin address Registruotis žinute įrodymuii, kad turite šį adresą Sign &Message - - - - Reset all sign message fields - + Registruoti praneši&mą Clear &All @@ -2038,10 +1254,6 @@ Adresas: %4 &Patikrinti žinutę - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Įveskite bitkoinų adresą (pvz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2050,20 +1262,12 @@ Adresas: %4 Patikrinkite žinutę, jog įsitikintumėte, kad ją pasirašė nurodytas Bitcoin adresas - Verify &Message - - - - Reset all verify message fields - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Įveskite bitkoinų adresą (pvz. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Spragtelėkite "Registruotis žinutę" tam, kad gauti parašą + Click "Sign Message" to generate signature + Spragtelėkite "Registruotis žinutę" tam, kad gauti parašą The entered address is invalid. @@ -2074,18 +1278,10 @@ Adresas: %4 Prašom patikrinti adresą ir bandyti iš naujo. - The entered address does not refer to a key. - - - Wallet unlock was cancelled. Piniginės atrakinimas atšauktas. - Private key for the entered address is not available. - - - Message signing failed. Žinutės pasirašymas nepavyko. @@ -2121,10 +1317,6 @@ Adresas: %4 Bitcoin branduolys - The Bitcoin Core developers - - - [testnet] [testavimotinklas] @@ -2143,10 +1335,6 @@ Adresas: %4 Atidaryta iki %1 - conflicted - - - %1/offline %1/neprisijungęs @@ -2162,10 +1350,6 @@ Adresas: %4 Status Būsena - - , broadcast through %n node(s) - - Date Data @@ -2198,10 +1382,6 @@ Adresas: %4 Credit Kreditas - - matures in %n more block(s) - - not accepted nepriimta @@ -2231,14 +1411,6 @@ Adresas: %4 Sandorio ID - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Derinimo informacija @@ -2247,10 +1419,6 @@ Adresas: %4 Sandoris - Inputs - - - Amount Suma @@ -2266,10 +1434,6 @@ Adresas: %4 , has not been successfully broadcast yet , transliavimas dar nebuvo sėkmingas - - Open for %n more block(s) - - unknown nežinomas @@ -2305,14 +1469,6 @@ Adresas: %4 Suma - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - Open until %1 Atidaryta iki %1 @@ -2329,22 +1485,6 @@ Adresas: %4 Išgauta bet nepriimta - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Gauta su @@ -2460,10 +1600,6 @@ Adresas: %4 Kopijuoti sumą - Copy transaction ID - - - Edit label Taisyti žymę @@ -2472,24 +1608,8 @@ Adresas: %4 Rodyti sandėrio detales - Export Transaction History - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + Eksportavimas nepavyko Comma separated file (*.csv) @@ -2534,11 +1654,7 @@ Adresas: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2553,28 +1669,16 @@ Adresas: %4 &Eksportuoti - Export the data in the current tab to a file - - - Backup Wallet - + Backup piniginę Wallet Data (*.dat) - + Piniginės duomenys (*.dat) Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - + Nepavyko padaryti atsarginės kopijos Backup Successful @@ -2620,12 +1724,8 @@ Adresas: %4 Palaikyti ne daugiau <n> jungčių kolegoms (pagal nutylėjimą: 125) - Connect to a node to retrieve peer addresses, and disconnect - - - Specify your own public address - + Nurodykite savo nuosavą viešą adresą Threshold for disconnecting misbehaving peers (default: 100) @@ -2636,10 +1736,6 @@ Adresas: %4 Sekundžių kiekis eikiamas palaikyti ryšį dėl lygiarangių nestabilumo (pagal nutylėjimą: 86.400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) Klausymas JSON-RPC sujungimui prijungčiai <port> (pagal nutylėjimą: 8332 or testnet: 18332) @@ -2648,10 +1744,6 @@ Adresas: %4 Priimti komandinę eilutę ir JSON-RPC komandas - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Dirbti fone kaip šešėlyje ir priimti komandas @@ -2660,224 +1752,26 @@ Adresas: %4 Naudoti testavimo tinklą - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Įspėjimas: -paytxfee yra nustatytas per didelis. Tai sandorio mokestis, kurį turėsite mokėti, jei siųsite sandorį. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Įspėjimas: Patikrinkite, kad kompiuterio data ir laikas yra teisingi.Jei Jūsų laikrodis neteisingai nustatytas Bitcoin, veiks netinkamai. - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Prisijungti tik prie nurodyto mazgo - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - Error opening block database Klaida atveriant blokų duombazę - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - Error: system error: Klaida: sistemos klaida: - Failed to listen on any port. Use -listen=0 if you want this. - - - Failed to read block info Nepavyko nuskaityti bloko informacijos @@ -2886,18 +1780,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Nepavyko nuskaityti bloko - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - Failed to write block Nepavyko įrašyti bloko @@ -2906,106 +1788,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Nepavyko įrašyti failo informacijos - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - Fee per kB to add to transactions you send Įtraukti mokestį už kB siunčiamiems sandoriams - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - Generate coins (default: 0) Generuoti monetas (numatyta: 0) - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - Verifying blocks... Tikrinami blokai... @@ -3014,70 +1804,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Tikrinama piniginė... - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informacija - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksimalus buferis priėmimo sujungimui <n>*1000 bitų (pagal nutylėjimą: 5000) @@ -3086,102 +1816,22 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Maksimalus buferis siuntimo sujungimui <n>*1000 bitų (pagal nutylėjimą: 1000) - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL opcijos (žr.e Bitcoin Wiki for SSL setup instructions) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Siųsti atsekimo/derinimo info į konsolę vietoj debug.log failo - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - Specify connection timeout in milliseconds (default: 5000) Nustatyti sujungimo trukmę milisekundėmis (pagal nutylėjimą: 5000) - Start Bitcoin Core Daemon - - - System error: Sistemos klaida: - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - Use UPnP to map the listening port (default: 0) Bandymas naudoti UPnP struktūra klausymosi prievadui (default: 0) @@ -3195,29 +1845,13 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - + Įspėjimas version versija - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Slaptažodis JSON-RPC sujungimams @@ -3230,10 +1864,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Siųsti komandą mazgui dirbančiam <ip> (pagal nutylėjimą: 127.0.0.1) - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - Upgrade wallet to latest format Atnaujinti piniginę į naujausią formatą @@ -3290,28 +1920,12 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. wallet.dat pakrovimo klaida - Invalid -proxy address: '%s' - Neteisingas proxy adresas: '%s' - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - + Invalid -proxy address: '%s' + Neteisingas proxy adresas: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Neteisinga suma -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Neteisinga suma -paytxfee=<amount>: '%s' Invalid amount @@ -3334,12 +1948,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Užkraunama piniginė... - Cannot downgrade wallet - - - Cannot write default address - + Negalima parašyti įprasto adreso Rescanning... @@ -3350,18 +1960,8 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Įkėlimas baigtas - To use the %s option - - - Error Klaida - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_lv_LV.ts b/src/qt/locale/bitcoin_lv_LV.ts index 0db0b77a478..239a063ae5c 100644 --- a/src/qt/locale/bitcoin_lv_LV.ts +++ b/src/qt/locale/bitcoin_lv_LV.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -16,7 +16,12 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Šī ir eksperimentālā programmatūra. + +Izplatīta saskaņā ar MIT/X11 programmatūras licenci, skatīt pievienoto datni COPYING vai http://www.opensource.org/licenses/mit-license.php. + +Šis produkts ietver programmatūru, ko izstrādājis OpenSSL Project izmantošanai OpenSSL Toolkit (http://www.openssl.org/) un šifrēšanas programmatūru no Eric Young (eay@cryptsoft.com) un UPnP programmatūru no Thomas Bernard. Copyright @@ -28,7 +33,7 @@ This product includes software developed by the OpenSSL Project for use in the O (%1-bit) - + (%1-biti) @@ -63,11 +68,11 @@ This product includes software developed by the OpenSSL Project for use in the O Delete the currently selected address from the list - + Izdzēst iezīmētās adreses no saraksta Export the data in the current tab to a file - + Datus no tekošā ieliktņa eksportēt uz failu &Export @@ -79,11 +84,11 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Izvēlies adresi uz kuru sūtīt bitcoins Choose the address to receive coins with - + Izvēlies adresi ar kuru saņemt bitcoins C&hoose @@ -98,14 +103,6 @@ This product includes software developed by the OpenSSL Project for use in the O Saņemšanas adreses - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - Copy &Label Kopēt &Nosaukumu @@ -125,11 +122,7 @@ This product includes software developed by the OpenSSL Project for use in the O Exporting Failed Eksportēšana Neizdevās - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -201,15 +194,11 @@ This product includes software developed by the OpenSSL Project for use in the O Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Brīdinājums: Ja tu nošifrē savu maciņu un pazaudē paroli, tu <b>PAZAUDĒSI VISAS SAVAS BITCOINS</b>! Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + Vai tu tiešām vēlies šifrēt savu maciņu? Warning: The Caps Lock key is on! @@ -249,7 +238,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet passphrase was successfully changed. - + Maciņa parole tika veiksmīgi nomainīta. @@ -268,7 +257,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Node Show general overview of wallet @@ -304,31 +293,31 @@ This product includes software developed by the OpenSSL Project for use in the O &Options... - &Iespējas + &Iespējas... &Encrypt Wallet... - Š&ifrēt maciņu... + Šifrēt &maciņu... &Backup Wallet... - &Izveidot maciņa rezerves kopiju + &Maciņa Rezerves Kopija... &Change Passphrase... - &Mainīt paroli + Mainīt &Paroli... &Sending addresses... - &Adrešu sūtīšana... + &Sūtīšanas adreses... &Receiving addresses... - Adrešu &saņemšana... + Saņemšanas &adreses... Open &URI... - Atvērt &URI + Atvērt &URI... Importing blocks from disk... @@ -356,7 +345,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Debug window - &Debug logs + &Atkļūdošanas logs Open debugging and diagnostic console @@ -388,7 +377,7 @@ This product includes software developed by the OpenSSL Project for use in the O Show or hide the main Window - + Parādīt vai paslēpt galveno Logu Encrypt the private keys that belong to your wallet @@ -428,21 +417,13 @@ This product includes software developed by the OpenSSL Project for use in the O Request payments (generates QR codes and bitcoin: URIs) - + Pieprasīt maksājumus (izveido QR kodu un bitcoin: URIs) &About Bitcoin Core Par &Bitcoin Core - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - Open a bitcoin: URI or payment request Atvērt bitcoin URI vai maksājuma pieprasījumu @@ -451,10 +432,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Komandrindas iespējas - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoin klients @@ -467,10 +444,6 @@ This product includes software developed by the OpenSSL Project for use in the O Nav pieejams neviens bloku avots... - Processed %1 of %2 (estimated) blocks of transaction history. - - - Processed %1 blocks of transaction history. Apstrādāti %1 bloki no transakciju vēstures. @@ -496,11 +469,7 @@ This product includes software developed by the OpenSSL Project for use in the O %1 behind - - - - Last received block was generated %1 ago. - + %1 aizmugurē Transactions after this will not yet be visible. @@ -556,7 +525,7 @@ Adrese: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Radās fatāla kļūda. Bitcoin Core nevar vairs droši turpināt un tiks izslēgta. @@ -594,7 +563,7 @@ Adrese: %4 Low Output: - + Zema Izeja: After Fee: @@ -606,7 +575,7 @@ Adrese: %4 (un)select all - + iezīmēt visus Tree mode @@ -658,11 +627,11 @@ Adrese: %4 Lock unspent - + Aizslēgt neiztērēto Unlock unspent - + Atslēgt neiztērēto Copy quantity @@ -686,7 +655,7 @@ Adrese: %4 Copy low output - + Kopēt zemo izeju Copy change @@ -730,7 +699,7 @@ Adrese: %4 (%1 locked) - + (%1 aizslēgts) none @@ -738,7 +707,7 @@ Adrese: %4 Dust - + Putekļi yes @@ -749,42 +718,6 @@ Adrese: %4 - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (bez nosaukuma) @@ -808,14 +741,6 @@ Adrese: %4 &Nosaukums - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Adrese @@ -836,12 +761,12 @@ Adrese: %4 Mainīt nosūtīšanas adresi - The entered address "%1" is already in the address book. - Nupat ierakstītā adrese "%1" jau atrodas adrešu grāmatā. + The entered address "%1" is already in the address book. + Nupat ierakstītā adrese "%1" jau atrodas adrešu grāmatā. - The entered address "%1" is not a valid Bitcoin address. - Ierakstītā adrese "%1" nav derīga Bitcoin adrese. + The entered address "%1" is not a valid Bitcoin address. + Ierakstītā adrese "%1" nav derīga Bitcoin adrese. Could not unlock wallet. @@ -856,23 +781,19 @@ Adrese: %4 FreespaceChecker A new data directory will be created. - + Tiks izveidota jauna datu mape. name vārds - Directory already exists. Add %1 if you intend to create a new directory here. - - - Path already exists, and is not a directory. - + Šāds ceļš jau pastāv un tā nav mape. Cannot create data directory here. - + Šeit nevar izveidot datu mapi. @@ -902,26 +823,18 @@ Adrese: %4 Lietotāja interfeisa izvēlnes - Set language, for example "de_DE" (default: system locale) - Uzstādiet valodu, piemēram "de_DE" (pēc noklusēšanas: sistēmas lokāle) + Set language, for example "de_DE" (default: system locale) + Uzstādiet valodu, piemēram "de_DE" (pēc noklusēšanas: sistēmas lokāle) Start minimized Sākt minimizētu - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Uzsākot, parādīt programmas informācijas logu (pēc noklusēšanas: 1) - - Choose data directory on startup (default: 0) - - - + Intro @@ -933,30 +846,18 @@ Adrese: %4 Sveicināts Bitcoin Core - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - Use the default data directory - + Izmantot noklusēto datu mapi Use a custom data directory: - + Izmantot pielāgotu datu mapi: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Kļūda @@ -1003,10 +904,6 @@ Adrese: %4 &Galvenais - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee &Maksāt par transakciju @@ -1020,7 +917,7 @@ Adrese: %4 Size of &database cache - + &Datubāzes kešatmiņas izmērs MB @@ -1028,41 +925,41 @@ Adrese: %4 Number of script &verification threads - + Skriptu &pārbaudes pavedienu skaits Connect to the Bitcoin network through a SOCKS proxy. - + Savienoties ar Bitcoin tīklu caur SOCKS starpniekserveri. &Connect through SOCKS proxy (default proxy): - + &Savienoties caur SOCKS starpniekserveri (noklusējuma starpniekserveris) IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Starpniekservera IP adrese (piem. IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party transaction URLs + Trešo personu transakciju URLs Active command-line options that override above options: - + Aktīvās komandrindas opcijas, kuras pārspēko šos iestatījumus: Reset all client options to default. - + Atiestatīt visus klienta iestatījumus uz noklusējumu. &Reset Options - + &Atiestatīt Iestatījumus. &Network &Tīkls - (0 = auto, <0 = leave that many cores free) - - - W&allet &Maciņš @@ -1075,10 +972,6 @@ Adrese: %4 Ieslēgt bitcoin &kontroles funkcijas - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - &Spend unconfirmed change &Tērēt neapstiprinātu atlikumu @@ -1092,7 +985,7 @@ Adrese: %4 Proxy &IP: - Proxy &IP: + Starpniekservera &IP: &Port: @@ -1100,7 +993,7 @@ Adrese: %4 Port of the proxy (e.g. 9050) - Proxy ports (piem. 9050) + Starpniekservera ports (piem. 9050) SOCKS &Version: @@ -1108,7 +1001,7 @@ Adrese: %4 SOCKS version of the proxy (e.g. 5) - proxy SOCKS versija (piem. 5) + Starpniekservera SOCKS versija (piem. 5) &Window @@ -1164,7 +1057,7 @@ Adrese: %4 &OK - &OK + &Labi &Cancel @@ -1176,27 +1069,19 @@ Adrese: %4 none - neviens + neviena Confirm options reset - - - - Client restart required to activate changes. - + Apstiprināt iestatījumu atiestatīšanu Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - + Klients tiks izslēgts, vai vēlaties turpināt? The supplied proxy address is invalid. - Norādītā proxy adrese nav derīga. + Norādītā starpniekservera adrese nav derīga. @@ -1223,23 +1108,19 @@ Adrese: %4 Pending: - + Neizšķirts: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Kopējā apstiprināmo transakciju vērtība, vēl nav ieskaitīta tērējamajā bilancē Immature: Nenobriedušu: - Mined balance that has not yet matured - - - Total: - Kopā: + Kopsumma: Your current total balance @@ -1258,71 +1139,27 @@ Adrese: %4 PaymentServer URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - + URI apstrāde Payment request error - + Maksājumu pieprasījuma kļūda Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - + Nevar palaist Bitcoin: nospied-lai-maksātu apstrādātāju Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - + Atmaksa no %1 Payment acknowledged - + Maksājums atzīts Network request error - + Tīkla pieprasījuma kļūda @@ -1332,20 +1169,8 @@ Adrese: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core vel neizgāja droši... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1391,11 +1216,11 @@ Adrese: %4 Debug window - + Atkļūdošanas logs General - + Vispārējs Using OpenSSL version @@ -1455,11 +1280,11 @@ Adrese: %4 In: - + Ie.: Out: - + Iz.: Build date @@ -1467,11 +1292,7 @@ Adrese: %4 Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Atkļūdošanas žurnāla datne Clear console @@ -1533,28 +1354,8 @@ Adrese: %4 &Ziņojums: - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - + &Atkārtoti izmantot esošo saņemšanas adresi (nav ieteicams) Clear all fields of the form. @@ -1574,7 +1375,7 @@ Adrese: %4 Show the selected request (does the same as double clicking an entry) - + Parādīt atlasītos pieprasījumus (tas pats, kas dubultklikšķis uz ieraksta) Show @@ -1582,7 +1383,7 @@ Adrese: %4 Remove the selected entries from the list - + Noņemt atlasītos ierakstus no saraksta. Remove @@ -1617,7 +1418,7 @@ Adrese: %4 &Save Image... - &Saglabāt Attēlu + &Saglabāt Attēlu... Request payment to %1 @@ -1699,15 +1500,15 @@ Adrese: %4 Inputs... - + Ieejas... automatically selected - + automātiski atlasīts Insufficient funds! - + Nepietiekami līdzekļi! Quantity: @@ -1731,7 +1532,7 @@ Adrese: %4 Low Output: - + Zema Izeja: After Fee: @@ -1742,10 +1543,6 @@ Adrese: %4 Atlikums: - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - Custom change address Pielāgota atlikuma adrese @@ -1811,7 +1608,7 @@ Adrese: %4 Copy low output - + Kopēt zemās izejas Copy change @@ -1827,7 +1624,7 @@ Adrese: %4 The recipient address is not valid, please recheck. - + Saņēmēja adrese ir nepareiza, lūdzu pārbaudi. The amount to pay must be larger than 0. @@ -1850,12 +1647,8 @@ Adrese: %4 Transakcijas izveidošana neizdevās! - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - Warning: Invalid Bitcoin address - + Brīdinājums: Nederīga Bitcoin adrese (no label) @@ -1863,11 +1656,7 @@ Adrese: %4 Warning: Unknown change address - - - - Are you sure you want to send? - + Brīdinājums: Nezināma atlikuma adrese added as transaction fee @@ -1879,7 +1668,7 @@ Adrese: %4 Invalid payment address %1 - + Nederīga maksājuma adrese %1 @@ -1906,7 +1695,7 @@ Adrese: %4 Choose previously used address - + Izvēlies iepriekš izmantoto adresi This is a normal payment. @@ -1937,14 +1726,6 @@ Adrese: %4 Šis ir pārbaudīts maksājuma pieprasījums. - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - This is an unverified payment request. Šis ir nepārbaudīts maksājuma pieprasījums. @@ -1954,7 +1735,7 @@ Adrese: %4 Memo: - + Memo: @@ -1965,7 +1746,7 @@ Adrese: %4 Do not shut down the computer until this window disappears. - + Neizslēdziet datoru kamēr šis logs nepazūd. @@ -1979,16 +1760,12 @@ Adrese: %4 Parakstīt &Ziņojumu - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Adrese ar kuru parakstīt ziņojumu (piem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - + Izvēlies iepriekš izmantoto adresi Alt+A @@ -2004,7 +1781,7 @@ Adrese: %4 Enter the message you want to sign here - + Šeit ievadi ziņojumu kuru vēlies parakstīt Signature @@ -2012,11 +1789,11 @@ Adrese: %4 Copy the current signature to the system clipboard - + Kopēt parakstu uz sistēmas starpliktuvi Sign the message to prove you own this Bitcoin address - + Parakstīt ziņojumu lai pierādītu, ka esi šīs Bitcoin adreses īpašnieks. Sign &Message @@ -2024,7 +1801,7 @@ Adrese: %4 Reset all sign message fields - + Atiestatīt visus laukus Clear &All @@ -2035,16 +1812,8 @@ Adrese: %4 &Pārbaudīt Ziņojumu - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - + Adrese ar kādu ziņojums tika parakstīts (piem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Verify &Message @@ -2052,35 +1821,35 @@ Adrese: %4 Reset all verify message fields - + Atiestatīt visus laukus Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Ierakstiet Bitcoin adresi (piem. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Nospied "Parakstīt Ziņojumu" lai ģenerētu parakstu + Click "Sign Message" to generate signature + Nospied "Parakstīt Ziņojumu" lai ģenerētu parakstu The entered address is invalid. - + Ievadītā adrese ir nederīga. Please check the address and try again. - + Lūdzu pārbaudi adresi un mēģini vēlreiz. The entered address does not refer to a key. - + Ievadītā adrese neattiecas uz atslēgu. Wallet unlock was cancelled. - + Maciņa atslēgšana tika atcelta. Private key for the entered address is not available. - + Privātā atslēga priekš ievadītās adreses nav pieejama. Message signing failed. @@ -2096,11 +1865,11 @@ Adrese: %4 Please check the signature and try again. - + Lūdzu pārbaudi parakstu un mēģini vēlreiz. The signature did not match the message digest. - + Paraksts neatbilda ziņojuma apkopojumam. Message verification failed. @@ -2141,7 +1910,7 @@ Adrese: %4 conflicted - + pretrunā %1/offline @@ -2159,10 +1928,6 @@ Adrese: %4 Status Status - - , broadcast through %n node(s) - - Date Datums @@ -2173,7 +1938,7 @@ Adrese: %4 Generated - + Ģenerēts From @@ -2185,27 +1950,23 @@ Adrese: %4 own address - + paša adrese label - + etiķete Credit - - - - matures in %n more block(s) - + Kredīts not accepted - + nav pieņemts Debit - + Debets Transaction fee @@ -2229,15 +1990,11 @@ Adrese: %4 Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Tirgotājs Debug information - + Atkļūdošanas informācija Transaction @@ -2245,7 +2002,7 @@ Adrese: %4 Inputs - + Ieejas Amount @@ -2265,7 +2022,7 @@ Adrese: %4 Open for %n more block(s) - + Atvērts vel %n blokusAtvērts vel %n blokuAtvērts vel %n blokus unknown @@ -2301,13 +2058,9 @@ Adrese: %4 Amount Daudzums - - Immature (%1 confirmations, will be available after %2) - - Open for %n more block(s) - + Atvērts vel %n blokusAtvērts vel %n blokuAtvērts vel %n blokus Open until %1 @@ -2334,12 +2087,8 @@ Adrese: %4 Neapstiprināts - Confirming (%1 of %2 recommended confirmations) - - - Conflicted - + Pretrunā Received with @@ -2477,16 +2226,12 @@ Adrese: %4 Eksportēšana Neizdevās - There was an error trying to save the transaction history to %1. - - - Exporting Successful Eksportēšana Veiksmīga The transaction history was successfully saved to %1. - + Transakciju vēsture tika veiksmīgi saglabāta uz %1. Comma separated file (*.csv) @@ -2547,11 +2292,11 @@ Adrese: %4 WalletView &Export - &Eksportēt... + &Eksportēt Export the data in the current tab to a file - + Datus no tekošā ieliktņa eksportēt uz failu Backup Wallet @@ -2633,20 +2378,12 @@ Adrese: %4 Sekundes, cik ilgi atturēt pārkāpējmezglus no atkārtotas pievienošanās (pēc noklusēšanas: 86400) - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - Accept command line and JSON-RPC commands Pieņemt komandrindas un JSON-RPC komandas Bitcoin Core RPC client version - + Bitcoin Core RPC klienta versija Run in the background as a daemon and accept commands @@ -2657,130 +2394,16 @@ Adrese: %4 Izmantot testa tīklu - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Brīdinājums: Lūdzu pārbaudi vai tava datora datums un laiks ir pareizs! Ja pulkstenis ir nepareizs, Bitcoin Core nestrādās pareizi. (default: 1) - + (noklusējums: 1) (default: wallet.dat) - + (noklusējums: wallet.dat) <category> can be: @@ -2788,7 +2411,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Attempt to recover private keys from a corrupt wallet.dat - + Mēģināt atgūt privātās atslēgas no bojāta wallet.dat Bitcoin Core Daemon @@ -2796,147 +2419,51 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Bloka izveidošanas iestatījumi: Connect only to the specified node(s) - + Savienoties tikai ar norādītajām nodēm. Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Savienoties caur SOCKS starpniekserveri Connection options: - - - - Corrupted block database detected - + Savienojuma iestatījumi: Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - + Atkļūdošanas/Testēšanas iestatījumi: Error loading block database - - - - Error opening block database - + Kļūda ielādējot bloku datubāzi Error: Disk space is low! - + Kļūda: Zema diska vieta! Error: Wallet locked, unable to create transaction! - + Kļūda: Maciņš ir aizslēgts, nevar izveidot transakciju! Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - + Kļūda: sistēmas kļūda: Fee per kB to add to transactions you send Pievienot maksu par kB tām transakcijām kuras tu sūti - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) - + Atrast pīrus izmantojot DNS uzmeklēšanu (noklusējums: 1 ja nav -connect) Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - + Piespiest drošo režīmu (noklusējums: 0) If <category> is not supplied, output all debugging information. @@ -2944,63 +2471,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - + Importē... RPC client options: RPC klienta iespējas: - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - + Tērēt neapstiprinātu atlikumu kad sūta transakcijas (noklusējums: 1) Verifying blocks... @@ -3012,181 +2491,61 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - + Uzgaidi līdz RPC serveris palaižas Wallet options: Maciņa iespējas: - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Importēt blokus no ārējās blk000??.dat datnes Information Informācija - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + RPC servera iestatījumi: Send command to Bitcoin Core - + Sūtīt komandu uz Bitcoin Core Send trace/debug info to console instead of debug.log file Debug/trace informāciju izvadīt konsolē, nevis debug.log failā - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - + Rādīt etalonuzdevuma informāciju (noklusējums: 0) Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - + Transakcijas parakstīšana neizdevās Start Bitcoin Core Daemon - + Sākt Bitcoin Core Procesu System error: - + Sistēmas kļūda: Transaction amount too small - + Transakcijas summa ir pārāk maza Transaction amounts must be positive - + Transakcijas summai ir jābūt pozitīvai Transaction too large Transakcija ir pārāk liela - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - Username for JSON-RPC connections JSON-RPC savienojumu lietotājvārds @@ -3196,15 +2555,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - + Brīdinājums: Šī versija ir novecojusi, nepieciešams atjauninājums! on startup - + startēšanas laikā version @@ -3212,7 +2567,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. wallet.dat corrupt, salvage failed - + wallet.dat ir bojāts, glābšana neizdevās Password for JSON-RPC connections @@ -3287,28 +2642,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Kļūda ielādējot wallet.dat - Invalid -proxy address: '%s' - Nederīga -proxy adrese: '%s' + Invalid -proxy address: '%s' + Nederīga -proxy adrese: '%s' - Unknown network specified in -onlynet: '%s' - -onlynet komandā norādīts nepazīstams tīkls: '%s' + Unknown network specified in -onlynet: '%s' + -onlynet komandā norādīts nepazīstams tīkls: '%s' Unknown -socks proxy version requested: %i - Pieprasīta nezināma -socks proxy versija: %i + Pieprasīta nezināma -socks starpniekservera versija: %i - Cannot resolve -bind address: '%s' - Nevar uzmeklēt -bind adresi: '%s' + Cannot resolve -bind address: '%s' + Nevar uzmeklēt -bind adresi: '%s' - Cannot resolve -externalip address: '%s' - Nevar atrisināt -externalip adresi: '%s' + Cannot resolve -externalip address: '%s' + Nevar atrisināt -externalip adresi: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Nederīgs daudzums priekš -paytxfree=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Nederīgs daudzums priekš -paytxfree=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_mn.ts b/src/qt/locale/bitcoin_mn.ts new file mode 100644 index 00000000000..049d8692b60 --- /dev/null +++ b/src/qt/locale/bitcoin_mn.ts @@ -0,0 +1,1146 @@ + + + AboutDialog + + + AddressBookPage + + Double-click to edit address or label + Хаяг эсвэл шошгыг ѳѳрчлѳхийн тулд хоёр удаа дар + + + Create a new address + Шинэ хаяг нээх + + + Copy the currently selected address to the system clipboard + Одоогоор сонгогдсон байгаа хаягуудыг сануулах + + + &Copy Address + Хаягийг &Хуулбарлах + + + &Delete + &Устгах + + + Copy &Label + &Шошгыг хуулбарлах + + + &Edit + &Ѳѳрчлѳх + + + Comma separated file (*.csv) + Таслалаар тусгаарлагдсан хүснэгтэн файл (.csv) + + + + AddressTableModel + + Label + Шошго + + + Address + Хаяг + + + (no label) + (шошго алга) + + + + AskPassphraseDialog + + Enter passphrase + Нууц үгийг оруул + + + New passphrase + Шинэ нууц үг + + + Repeat new passphrase + Шинэ нууц үгийг давтана уу + + + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. + Түрүйвчийн шинэ нууц үгийг оруул. <br/><b>Дор хаяж 10 дурын үсэг/тоо бүхий</b> эсвэл <b>дор хаяж 8 дурын үгнээс бүрдсэн</b> нууц үгийг ашиглана уу. + + + Encrypt wallet + Түрүйвчийг цоожлох + + + This operation needs your wallet passphrase to unlock the wallet. + Энэ үйлдэлийг гүйцэтгэхийн тулд та нууц үгээрээ түрүйвчийн цоожийг тайлах хэрэгтэй + + + Unlock wallet + Түрүйвчийн цоожийг тайлах + + + This operation needs your wallet passphrase to decrypt the wallet. + Энэ үйлдэлийг гүйцэтгэхийн тулд та эхлээд түрүйвчийн нууц үгийг оруулж цоожийг тайлах шаардлагтай. + + + Decrypt wallet + Түрүйвчийн цоожийг устгах + + + Change passphrase + Нууц үгийг солих + + + Enter the old and new passphrase to the wallet. + Түрүйвчийн хуучин болоод шинэ нууц үгсийг оруулна уу + + + Confirm wallet encryption + Түрүйвчийн цоожийг баталгаажуулах + + + Wallet encrypted + Түрүйвч цоожлогдлоо + + + Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. + Цоожлолтын процесыг дуусгахын тулд Биткойн одоо хаагдана. Ѳѳрийн түрүйвчийг цоожлох нь таны биткойнуудыг компьютерийн вирус хулгайлахаас бүрэн сэргийлж чадахгүй гэдгийг санаарай. + + + Wallet encryption failed + Түрүйвчийн цоожлол амжилттай болсонгүй + + + Wallet encryption failed due to an internal error. Your wallet was not encrypted. + Түрүйвчийн цоожлол дотоод алдаанаас үүдэн амжилттай болсонгүй. Түрүйвч цоожлогдоогүй байна. + + + The supplied passphrases do not match. + Таны оруулсан нууц үг таарсангүй + + + Wallet unlock failed + Түрүйвчийн цоож тайлагдсангүй + + + The passphrase entered for the wallet decryption was incorrect. + Таны оруулсан түрүйвчийн цоожийг тайлах нууц үг буруу байна + + + Wallet decryption failed + Түрүйвчийн цоож амжилттай устгагдсангүй + + + Wallet passphrase was successfully changed. + Түрүйвчийн нууц үг амжилттай ѳѳр + + + + BitcoinGUI + + Sign &message... + &Зурвас хавсаргах... + + + Synchronizing with network... + Сүлжээтэй тааруулж байна... + + + Node + Нод + + + &Transactions + Гүйлгээнүүд + + + Browse transaction history + Гүйлгээнүүдийн түүхийг харах + + + E&xit + Гарах + + + Quit application + Програмаас Гарах + + + Show information about Bitcoin + Биткойны мэдээллийг харуулах + + + About &Qt + &Клиентийн тухай + + + Show information about Qt + Клиентийн тухай мэдээллийг харуул + + + &Options... + &Сонголтууд... + + + &Encrypt Wallet... + &Түрүйвчийг цоожлох... + + + &Backup Wallet... + &Түрүйвчийг Жоорлох... + + + &Change Passphrase... + &Нууц Үгийг Солих... + + + Change the passphrase used for wallet encryption + Түрүйвчийг цоожлох нууц үгийг солих + + + Open debugging and diagnostic console + Оношилгоо ба засварын консолыг онгойлго + + + Bitcoin + Биткойн + + + Wallet + Түрүйвч + + + &Show / Hide + &Харуул / Нуу + + + &File + &Файл + + + &Settings + &Тохиргоо + + + &Help + &Тусламж + + + Bitcoin client + Биткойн клиент + + + %n active connection(s) to Bitcoin network + Биткойны сүлжээрүү %n идэвхитэй холболт байна Биткойны сүлжээрүү %n идэвхитэй холболтууд байна + + + %n hour(s) + %n цаг%n цаг + + + %n day(s) + %n ѳдѳр%n ѳдрүүд + + + Error + Алдаа + + + Up to date + Шинэчлэгдсэн + + + Sent transaction + Гадагшаа гүйлгээ + + + Incoming transaction + Дотогшоо гүйлгээ + + + Date: %1 +Amount: %2 +Type: %3 +Address: %4 + + Огноо: %1 + +Хэмжээ: %2 + +Тѳрѳл: %3 + +Хаяг: %4 + + + + Wallet is <b>encrypted</b> and currently <b>unlocked</b> + Түрүйвч <b>цоожтой</b> ба одоогоор цоож <b>онгорхой</b> байна + + + Wallet is <b>encrypted</b> and currently <b>locked</b> + Түрүйвч <b>цоожтой</b> ба одоогоор цоож <b>хаалттай</b> байна + + + + ClientModel + + + CoinControlDialog + + Amount: + Хэмжээ: + + + Fee: + Тѳлбѳр: + + + Amount + Хэмжээ + + + Address + Хаяг + + + Date + Огноо + + + Confirmed + Баталгаажлаа + + + Copy address + Хаягийг санах + + + Copy label + Шошгыг санах + + + Copy amount + Хэмжээг санах + + + Copy change + Ѳѳрчлѳлтийг санах + + + (no label) + (шошгогүй) + + + (change) + (ѳѳрчлѳх) + + + + EditAddressDialog + + Edit Address + Хаягийг ѳѳрчлѳх + + + &Label + &Шошго + + + &Address + &Хаяг + + + New receiving address + Шинэ хүлээн авах хаяг + + + New sending address + Шинэ явуулах хаяг + + + Edit receiving address + Хүлээн авах хаягийг ѳѳрчлѳх + + + Edit sending address + Явуулах хаягийг ѳѳрчлѳх + + + The entered address "%1" is already in the address book. + Таны оруулсан хаяг "%1" нь хаягийн бүртгэлд ѳмнѳ нь орсон байна + + + Could not unlock wallet. + Түрүйвчийн цоожийг тайлж чадсангүй + + + New key generation failed. + Шинэ түлхүүр амжилттай гарсангүй + + + + FreespaceChecker + + + HelpMessageDialog + + version + хувилбар + + + Usage: + Хэрэглээ: + + + + Intro + + Bitcoin + Биткойн + + + Error + Алдаа + + + + OpenURIDialog + + + OptionsDialog + + Options + Сонголтууд + + + MB + МБ + + + Connect to the Bitcoin network through a SOCKS proxy. + Биткойны сүлжээрүү SOCKS проксигоор холбогдох. + + + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) + проксигийн IP хаяг (жишээ нь: IPv4: 127.0.0.1 / IPv6: ::1) + + + Client restart required to activate changes. + Ѳѳрчлѳлтүүдийг идэвхижүүлхийн тулд клиентийг ахин эхлүүлэх шаардлагтай + + + Client will be shutdown, do you want to proceed? + Клиент унтрах гэж байна, яг унтраах уу? + + + This change would require a client restart. + Энэ ѳѳрчлѳлтийг оруулахын тулд кли1нт програмыг ахин эхлүүлэх шаардлагтай + + + + OverviewPage + + Wallet + Түрүйвч + + + Available: + Хэрэглэж болох хэмжээ: + + + <b>Recent transactions</b> + <b>Сүүлд хийгдсэн гүйлгээнүүд</b> + + + + PaymentServer + + + QObject + + Bitcoin + Биткойн + + + + QRImageWidget + + PNG Image (*.png) + PNG форматын зураг (*.png) + + + + RPCConsole + + Client name + Клиентийн нэр + + + N/A + Алга Байна + + + Client version + Клиентийн хувилбар + + + &Information + &Мэдээллэл + + + General + Ерѳнхий + + + Network + Сүлжээ + + + Name + Нэр + + + Number of connections + Холболтын тоо + + + Block chain + Блокийн цуваа + + + Current number of blocks + Одоогийн блокийн тоо + + + Estimated total blocks + Нийт блокийн барагцаа + + + Last block time + Сүүлийн блокийн хугацаа + + + &Open + &Нээх + + + &Console + &Консол + + + Clear console + Консолыг цэвэрлэх + + + + ReceiveCoinsDialog + + &Label: + &Шошго: + + + Show + Харуул + + + Remove the selected entries from the list + Сонгогдсон ѳгѳгдлүүдийг устгах + + + Remove + Устгах + + + Copy label + Шошгыг санах + + + Copy message + Зурвасыг санах + + + Copy amount + Хэмжээг санах + + + + ReceiveRequestDialog + + Address + Хаяг + + + Amount + Хэмжээ + + + Label + Шошго + + + Message + Зурвас + + + + RecentRequestsTableModel + + Date + Огноо + + + Label + Шошго + + + Message + Зурвас + + + Amount + Хэмжээ + + + (no label) + (шошго алга) + + + (no message) + (зурвас алга) + + + + SendCoinsDialog + + Send Coins + Зоос явуулах + + + automatically selected + автоматаар сонгогдсон + + + Insufficient funds! + Таны дансны үлдэгдэл хүрэлцэхгүй байна! + + + Amount: + Хэмжээ: + + + Fee: + Тѳлбѳр: + + + Send to multiple recipients at once + Нэгэн зэрэг олон хүлээн авагчруу явуулах + + + Add &Recipient + &Хүлээн авагчийг Нэмэх + + + Clear &All + &Бүгдийг Цэвэрлэ + + + Balance: + Баланс: + + + Confirm the send action + Явуулах үйлдлийг баталгаажуулна уу + + + S&end + Яв&уул + + + Confirm send coins + Зоос явуулахыг баталгаажуулна уу + + + Copy amount + Хэмжээг санах + + + Copy change + Ѳѳрчлѳлтийг санах + + + Total Amount %1 (= %2) + Нийт дүн %1 (= %2) + + + or + эсвэл + + + The amount to pay must be larger than 0. + Тѳлѳх хэмжээ 0.-оос их байх ёстой + + + The amount exceeds your balance. + Энэ хэмжээ таны балансаас хэтэрсэн байна. + + + The total exceeds your balance when the %1 transaction fee is included. + Гүйлгээний тѳлбѳр %1-ийг тооцхоор нийт дүн нь таны балансаас хэтрээд байна. + + + Warning: Invalid Bitcoin address + Анхаар:Буруу Биткойны хаяг байна + + + (no label) + (шошгогүй) + + + + SendCoinsEntry + + A&mount: + Дүн: + + + Pay &To: + Тѳлѳх &хаяг: + + + Enter a label for this address to add it to your address book + Энэ хаягийг ѳѳрийн бүртгэлдээ авахын тулд шошго оруул + + + &Label: + &Шошго: + + + Alt+A + Alt+A + + + Paste address from clipboard + Копидсон хаягийг буулгах + + + Alt+P + Alt+P + + + Message: + Зурвас: + + + + ShutdownWindow + + Bitcoin Core is shutting down... + Биткойны цѳм хаагдаж байна... + + + Do not shut down the computer until this window disappears. + Энэ цонхыг хаагдтал компьютерээ бүү унтраагаарай + + + + SignVerifyMessageDialog + + Alt+A + Alt+A + + + Paste address from clipboard + Копидсон хаягийг буулгах + + + Alt+P + Alt+P + + + Clear &All + &Бүгдийг Цэвэрлэ + + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc + + Open until %1 + %1 хүртэл нээлттэй + + + conflicted + зѳрчилдлѳѳ + + + %1/unconfirmed + %1/баталгаажаагүй + + + %1 confirmations + %1 баталгаажилтууд + + + Date + Огноо + + + Message + Зурвас + + + Transaction ID + Тодорхойлолт + + + Amount + Хэмжээ + + + , has not been successfully broadcast yet + , хараахан амжилттай цацагдаагүй байна + + + unknown + үл мэдэгдэх + + + + TransactionDescDialog + + Transaction details + Гүйлгээний мэдээллэл + + + This pane shows a detailed description of the transaction + Гүйлгээний дэлгэрэнгүйг энэ бичил цонх харуулж байна + + + + TransactionTableModel + + Date + Огноо + + + Type + Тѳрѳл + + + Address + Хаяг + + + Amount + Хэмжээ + + + Open until %1 + %1 хүртэл нээлттэй + + + Confirmed (%1 confirmations) + Баталгаажлаа (%1 баталгаажилт) + + + This block was not received by any other nodes and will probably not be accepted! + Энэ блокийг аль ч нод хүлээн авсангүй ба ер нь зѳвшѳѳрѳгдѳхгүй байж мэднэ! + + + Generated but not accepted + Үүсгэгдсэн гэхдээ хүлээн авагдаагүй + + + Unconfirmed + Баталгаажаагүй + + + Conflicted + Зѳрчилдлѳѳ + + + Received with + Хүлээн авсан хаяг + + + Received from + Хүлээн авагдсан хаяг + + + Sent to + Явуулсан хаяг + + + Payment to yourself + Ѳѳрлүүгээ хийсэн тѳлбѳр + + + Mined + Олборлогдсон + + + (n/a) + (алга байна) + + + Transaction status. Hover over this field to show number of confirmations. + Гүйлгээний байдал. Энд хулганыг авчирч баталгаажуулалтын тоог харна уу. + + + Date and time that the transaction was received. + Гүйлгээг хүлээн авсан огноо ба цаг. + + + Type of transaction. + Гүйлгээний тѳрѳл + + + Destination address of transaction. + Гүйлгээг хүлээн авах хаяг + + + Amount removed from or added to balance. + Балансаас авагдсан болон нэмэгдсэн хэмжээ. + + + + TransactionView + + All + Бүгд + + + Today + Ѳнѳѳдѳр + + + This week + Энэ долоо хоног + + + This month + Энэ сар + + + Last month + Ѳнгѳрсѳн сар + + + This year + Энэ жил + + + Received with + Хүлээн авсан хаяг + + + Sent to + Явуулсан хаяг + + + To yourself + Ѳѳрлүүгээ + + + Mined + Олборлогдсон + + + Other + Бусад + + + Enter address or label to search + Хайлт хийхийн тулд хаяг эсвэл шошгыг оруул + + + Min amount + Хамгийн бага хэмжээ + + + Copy address + Хаягийг санах + + + Copy label + Шошгыг санах + + + Copy amount + Хэмжээг санах + + + Edit label + Шошгыг ѳѳрчлѳх + + + Show transaction details + Гүйлгээний дэлгэрэнгүйг харуул + + + The transaction history was successfully saved to %1. + Гүйлгээнүй түүхийг %1-д амжилттай хадгаллаа. + + + Comma separated file (*.csv) + Таслалаар тусгаарлагдсан хүснэгтэн файл (.csv) + + + Confirmed + Баталгаажлаа + + + Date + Огноо + + + Type + Тѳрѳл + + + Label + Шошго + + + Address + Хаяг + + + Amount + Хэмжээ + + + ID + Тодорхойлолт + + + to + -рүү/руу + + + + WalletFrame + + No wallet has been loaded. + Ямар ч түрүйвч ачааллагдсангүй. + + + + WalletModel + + Send Coins + Зоос явуулах + + + + WalletView + + + bitcoin-core + + Usage: + Хэрэглээ: + + + List commands + Үйлдлүүдийг жагсаах + + + Get help for a command + Үйлдэлд туслалцаа авах + + + Options: + Сонголтууд: + + + Listen for connections on <port> (default: 8333 or testnet: 18333) + <port> дээрх холболтуудыг чагна (ѳгѳгдмѳл: 8333 эсвэл testnet: 18333) + + + Connect through SOCKS proxy + SOCKS проксигоор холбогдох + + + Wait for RPC server to start + RPC серверийг эхэлтэл хүлээ + + + Wallet options: + Түрүйвчийн сонголтууд: + + + version + хувилбар + + + Upgrade wallet to latest format + Түрүйвчийг хамгийн сүүлийн үеийн форматруу шинэчлэх + + + Loading addresses... + Хаягуудыг ачааллаж байна... + + + Error loading wallet.dat: Wallet corrupted + wallet.dat-ыг ачааллахад алдаа гарлаа: Түрүйвч эвдэрсэн байна + + + Error loading wallet.dat: Wallet requires newer version of Bitcoin + wallet.dat-ыг ачааллахад алдаа гарлаа: Түрүйвч Биткойны шинэ хувилбарыг шаардаж байна + + + Error loading wallet.dat + wallet.dat-ыг ачааллахад алдаа гарлаа + + + Invalid -proxy address: '%s' + Эдгээр прокси хаягнууд буруу байна: '%s' + + + Invalid amount + Буруу хэмжээ + + + Insufficient funds + Таны дансны үлдэгдэл хүрэлцэхгүй байна + + + Loading block index... + Блокийн индексүүдийг ачааллаж байна... + + + Add a node to connect to and attempt to keep the connection open + Холболт хийхийн тулд мѳн холболтой онгорхой хадгалхын тулд шинэ нод нэм + + + Loading wallet... + Түрүйвчийг ачааллаж байна... + + + Rescanning... + Ахин уншиж байна... + + + Done loading + Ачааллаж дууслаа + + + To use the %s option + %s сонголтыг ашиглахын тулд + + + Error + Алдаа + + + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ms_MY.ts b/src/qt/locale/bitcoin_ms_MY.ts index 9835a2e19f1..2c6f5b00345 100644 --- a/src/qt/locale/bitcoin_ms_MY.ts +++ b/src/qt/locale/bitcoin_ms_MY.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,7 +14,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &Baru Copy the currently selected address to the system clipboard @@ -51,27 +22,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - - - - C&lose - + &Salin &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - + &Salin Alamat &Export - + &Eksport &Delete @@ -79,3282 +38,162 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Pilih alamat untuk menghantar syiling Choose the address to receive coins with - + Pilih alamat untuk menerima syiling C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - + &Pilih Comma separated file (*.csv) Fail yang dipisahkan dengan koma - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - Label - - - Address Alamat - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - &Options... Pilihan + + + ClientModel + + + CoinControlDialog - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - + Address + Alamat + + + EditAddressDialog - Show the list of used receiving addresses and labels - + Edit Address + Alamat - Open a bitcoin: URI or payment request - + &Address + Alamat + + + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - &Command-line options - + Address + Alamat + + + RecentRequestsTableModel + + + SendCoinsDialog - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Balance: + Baki + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc + + + TransactionDescDialog + + + TransactionTableModel - Bitcoin client - - - - %n active connection(s) to Bitcoin network - + Address + Alamat + + + TransactionView - No block source available... - + Comma separated file (*.csv) + Fail yang dipisahkan dengan koma - Processed %1 of %2 (estimated) blocks of transaction history. - + Address + Alamat + + + WalletFrame + + + WalletModel + + + WalletView - Processed %1 blocks of transaction history. - + &Export + &Eksport - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - Alamat - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - Alamat - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - Alamat - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Alamat - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Baki - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - Alamat - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Fail yang dipisahkan dengan koma - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - Alamat - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_nb.ts b/src/qt/locale/bitcoin_nb.ts index 078bad7edc6..3c2d506f837 100644 --- a/src/qt/locale/bitcoin_nb.ts +++ b/src/qt/locale/bitcoin_nb.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -599,7 +599,7 @@ Adresse: %4 Low Output: - Lav Utdata: + Svake Utdata: After Fee: @@ -770,8 +770,8 @@ Adresse: %4 Transaksjoner med høyere prioritet har mer sannsynlighet for å bli inkludert i en blokk. - This label turns red, if the priority is smaller than "medium". - Denne merkelappen blir rød, hvis prioriteten er mindre enn "medium". + This label turns red, if the priority is smaller than "medium". + Denne merkelappen blir rød, hvis prioriteten er mindre enn "medium". This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +841,12 @@ Adresse: %4 Rediger utsendingsadresse - The entered address "%1" is already in the address book. - Den oppgitte adressen "%1" er allerede i adresseboken. + The entered address "%1" is already in the address book. + Den oppgitte adressen "%1" er allerede i adresseboken. - The entered address "%1" is not a valid Bitcoin address. - Den angitte adressed "%1" er ikke en gyldig Bitcoin-adresse. + The entered address "%1" is not a valid Bitcoin address. + Den angitte adressed "%1" er ikke en gyldig Bitcoin-adresse. Could not unlock wallet. @@ -907,8 +907,8 @@ Adresse: %4 valg i brukergrensesnitt - Set language, for example "de_DE" (default: system locale) - Sett språk, for eksempel "nb_NO" (standardverdi: fra operativsystem) + Set language, for example "de_DE" (default: system locale) + Sett språk, for eksempel "nb_NO" (standardverdi: fra operativsystem) Start minimized @@ -958,8 +958,8 @@ Adresse: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Feil: Spesifisert datamappe "%1" kan ikke opprettes. + Error: Specified data directory "%1" can not be created. + Feil: Spesifisert datamappe "%1" kan ikke opprettes. Error @@ -1048,6 +1048,14 @@ Adresse: %4 IP-adressen til proxyen (f.eks. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Tredjepart URLer (f. eks. en blokkutforsker) som dukker opp i transaksjonsfanen som kontekst meny elementer. %s i URLen er erstattet med transaksjonen sin hash. Flere URLer er separert av en vertikal linje |. + + + Third party transaction URLs + Tredjepart transaksjon URLer + + Active command-line options that override above options: Aktive kommandolinjevalg som overstyrer valgene ovenfor: @@ -1286,7 +1294,7 @@ Adresse: %4 Nettleder advarsel - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Din aktive proxy har ikke støtte for SOCKS5, som er påkrevd for betalingsforespørsler via proxy. @@ -1337,8 +1345,8 @@ Adresse: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Feil: Spesifisert datamappe "%1" finnes ikke. + Error: Specified data directory "%1" does not exist. + Feil: Spesifisert datamappe "%1" finnes ikke. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1349,8 +1357,8 @@ Adresse: %4 Feil: Ugyldig kombinasjon av -regtest og -testnet. - Bitcoin Core did't yet exit safely... - Bitcoin Core har annå ikke avsluttet på en sikker måte... + Bitcoin Core didn't yet exit safely... + Bitcoin Core har ennå ikke avsluttet på en sikker måte... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1736,7 +1744,7 @@ Adresse: %4 Low Output: - Svak Utdata: + Svake Utdata: After Fee: @@ -2041,7 +2049,7 @@ Adresse: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Angi adresse for signering, melding (vær sikker på at du kopierer linjeskift, mellomrom, tab, etc. helt nøyaktig) og signatur under for å verifisere meldingen. Vær forsiktig med at du ikke gir signaturen mer betydning enn det som faktisk står i meldingen, for å unngå å bli lurt av såkalte "man-in-the-middle" angrep. + Angi adresse for signering, melding (vær sikker på at du kopierer linjeskift, mellomrom, tab, etc. helt nøyaktig) og signatur under for å verifisere meldingen. Vær forsiktig med at du ikke gir signaturen mer betydning enn det som faktisk står i meldingen, for å unngå å bli lurt av såkalte "man-in-the-middle" angrep. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,8 +2072,8 @@ Adresse: %4 Skriv inn en Bitcoin-adresse (f.eks. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klikk "Signer Melding" for å generere signatur + Click "Sign Message" to generate signature + Klikk "Signer Melding" for å generere signatur The entered address is invalid. @@ -2237,8 +2245,8 @@ Adresse: %4 Forhandler - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Genererte bitcoins må modnes %1 blokker før de kan brukes. Da du genererte denne blokken ble den kringkastet på nettverket for å bli lagt til i kjeden av blokker. Hvis den ikke kommer med i kjeden vil den endre seg til "ikke akseptert" og pengene vil ikke kunne brukes. Dette vil noen ganger skje hvis en annen node genererer en blokk noen sekunder i tid fra din egen. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Genererte bitcoins må modnes %1 blokker før de kan brukes. Da du genererte denne blokken ble den kringkastet på nettverket for å bli lagt til i kjeden av blokker. Hvis den ikke kommer med i kjeden vil den endre seg til "ikke akseptert" og pengene vil ikke kunne brukes. Dette vil noen ganger skje hvis en annen node genererer en blokk noen sekunder i tid fra din egen. Debug information @@ -2675,7 +2683,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, du må angi rpcpassord i konfigurasjonsfilen. %s @@ -2686,7 +2694,7 @@ rpcpassord=%s Brukernavnet og passordet MÅ IKKE være like. Om filen ikke eksisterer, opprett den nå med eier-kun-les filrettigheter. Det er også anbefalt at å sette varselsmelding slik du får melding om problemer. -For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@foo.com +For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@foo.com Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -2722,7 +2730,7 @@ For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@ Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Feil: Denne transaksjonen trenger en gebyr på minst %s på grunn av beløpet, kompleksiteten eller bruk av allerede mottatte penger! + Feil: Denne transaksjonen trenger et gebyr på minst %s på grunn av beløpet, kompleksiteten eller bruk av allerede mottatte penger! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) @@ -2769,7 +2777,7 @@ For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@ Advarsel: -paytxfee er satt veldig høyt! Dette er transaksjonsgebyret du betaler når du sender transaksjoner. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Advarsel: Vennligst undersøk at din datamaskin har riktig dato og klokkeslett! Hvis klokken er stilt feil vil ikke Bitcoin fungere riktig. @@ -2965,8 +2973,8 @@ For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@ Ugyldig eller ingen skaperblokk funnet. Feil datamappe for nettverk? - Invalid -onion address: '%s' - Ugyldig -onion adresse: '%s' + Invalid -onion address: '%s' + Ugyldig -onion adresse: '%s' Not enough file descriptors available. @@ -3069,12 +3077,12 @@ For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@ Informasjon - Invalid amount for -minrelaytxfee=<amount>: '%s' - Ugyldig mengde for -minrelaytxfee=<beløp>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Ugyldig mengde for -minrelaytxfee=<beløp>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Ugyldig mengde for -mintxfee=<beløp>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Ugyldig mengde for -mintxfee=<beløp>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3301,28 +3309,28 @@ For eksempel: varselmelding=echo %%s | mail -s "Bitcoin Varsel" admin@ Feil ved lasting av wallet.dat - Invalid -proxy address: '%s' - Ugyldig -proxy adresse: '%s' + Invalid -proxy address: '%s' + Ugyldig -proxy adresse: '%s' - Unknown network specified in -onlynet: '%s' - Ukjent nettverk angitt i -onlynet '%s' + Unknown network specified in -onlynet: '%s' + Ukjent nettverk angitt i -onlynet '%s' Unknown -socks proxy version requested: %i Ukjent -socks proxyversjon angitt: %i - Cannot resolve -bind address: '%s' - Kunne ikke slå opp -bind adresse: '%s' + Cannot resolve -bind address: '%s' + Kunne ikke slå opp -bind adresse: '%s' - Cannot resolve -externalip address: '%s' - Kunne ikke slå opp -externalip adresse: '%s' + Cannot resolve -externalip address: '%s' + Kunne ikke slå opp -externalip adresse: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Ugyldig beløp for -paytxfee=<beløp>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Ugyldig beløp for -paytxfee=<beløp>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_nl.ts b/src/qt/locale/bitcoin_nl.ts index 0da46059b59..ce15e8d2362 100644 --- a/src/qt/locale/bitcoin_nl.ts +++ b/src/qt/locale/bitcoin_nl.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -770,8 +770,8 @@ Adres: %4 Transacties met een hogere prioriteit zullen eerder in een block gezet worden. - This label turns red, if the priority is smaller than "medium". - Als dit label rood is, is de prioriteit minder dan "medium". + This label turns red, if the priority is smaller than "medium". + Als dit label rood is, is de prioriteit minder dan "medium". This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +841,12 @@ Adres: %4 Bewerk adres om naar te verzenden - The entered address "%1" is already in the address book. - Het opgegeven adres "%1" bestaat al in uw adresboek. + The entered address "%1" is already in the address book. + Het opgegeven adres "%1" bestaat al in uw adresboek. - The entered address "%1" is not a valid Bitcoin address. - Het opgegeven adres "%1" is een ongeldig Bitcoinadres + The entered address "%1" is not a valid Bitcoin address. + Het opgegeven adres "%1" is een ongeldig Bitcoinadres Could not unlock wallet. @@ -907,8 +907,8 @@ Adres: %4 gebruikersinterfaceopties - Set language, for example "de_DE" (default: system locale) - Stel taal in, bijvoorbeeld ''de_DE" (standaard: systeeminstellingen) + Set language, for example "de_DE" (default: system locale) + Stel taal in, bijvoorbeeld ''de_DE" (standaard: systeeminstellingen) Start minimized @@ -958,8 +958,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Fout: Opgegeven gegevensmap "%1" kan niet aangemaakt worden. + Error: Specified data directory "%1" can not be created. + Fout: Opgegeven gegevensmap "%1" kan niet aangemaakt worden. Error @@ -1048,6 +1048,14 @@ Adres: %4 IP-adres van de proxy (bijv. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Derde partijen URL's (bijvoorbeeld block explorer) dat in de transacties tab verschijnen als contextmenu elementen. %s in de URL is vervangen door transactie hash. Verscheidene URL's zijn gescheiden door een verticale streep |. + + + Third party transaction URLs + Transactie-URLs van derde partijen + + Active command-line options that override above options: Actieve commandoregelopties die bovenstaande opties overschrijven: @@ -1286,7 +1294,7 @@ Adres: %4 Netmanager waarschuwing - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Uw actieve proxy ondersteunt geen SOCKS5, dewelke vereist is voor betalingsverzoeken via proxy. @@ -1337,8 +1345,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Fout: Opgegeven gegevensmap "%1" bestaat niet. + Error: Specified data directory "%1" does not exist. + Fout: Opgegeven gegevensmap "%1" bestaat niet. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1349,8 +1357,8 @@ Adres: %4 Fout: Ongeldige combinatie van -regtest en -testnet - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core is nog niet veilig uitgeschakeld... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1492,7 +1500,7 @@ Adres: %4 Type <b>help</b> for an overview of available commands. - Typ <b>help</b> voor een overzicht van de beschikbare commando's. + Typ <b>help</b> voor een overzicht van de beschikbare commando's. %1 B @@ -2064,8 +2072,8 @@ Adres: %4 Vul een Bitcoinadres in (bijv. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klik "Onderteken Bericht" om de handtekening te genereren + Click "Sign Message" to generate signature + Klik "Onderteken Bericht" om de handtekening te genereren The entered address is invalid. @@ -2237,8 +2245,8 @@ Adres: %4 Handelaar - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Gegenereerde munten moeten %1 blokken rijpen voordat ze kunnen worden besteed. Toen dit blok gegenereerd werd, werd het uitgezonden naar het netwerk om aan de blokketen toegevoegd te worden. Als het niet lukt om in de keten toegevoegd te worden, zal de status te veranderen naar "niet geaccepteerd" en het zal deze niet besteedbaar zijn. Dit kan soms gebeuren als een ander knooppunt een blok genereert binnen een paar seconden na die van u. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Gegenereerde munten moeten %1 blokken rijpen voordat ze kunnen worden besteed. Toen dit blok gegenereerd werd, werd het uitgezonden naar het netwerk om aan de blokketen toegevoegd te worden. Als het niet lukt om in de keten toegevoegd te worden, zal de status te veranderen naar "niet geaccepteerd" en het zal deze niet besteedbaar zijn. Dit kan soms gebeuren als een ander knooppunt een blok genereert binnen een paar seconden na die van u. Debug information @@ -2591,7 +2599,7 @@ Adres: %4 List commands - Lijst van commando's + Lijst van commando's Get help for a command @@ -2649,7 +2657,7 @@ Adres: %4 Accept command line and JSON-RPC commands - Aanvaard commandoregel- en JSON-RPC-commando's + Aanvaard commandoregel- en JSON-RPC-commando's Bitcoin Core RPC client version @@ -2657,7 +2665,7 @@ Adres: %4 Run in the background as a daemon and accept commands - Draai in de achtergrond als daemon en aanvaard commando's + Draai in de achtergrond als daemon en aanvaard commando's Use the test network @@ -2677,7 +2685,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, u moet een RPC-wachtwoord instellen in het configuratiebestand: %s U wordt aangeraden het volgende willekeurige wachtwoord te gebruiken: @@ -2686,8 +2694,8 @@ rpcpassword=%s (u hoeft dit wachtwoord niet te onthouden) De gebruikersnaam en wachtwoord mogen niet hetzelfde zijn. Als het bestand niet bestaat, make hem dan aan met leesrechten voor enkel de eigenaar. -Het is ook aan te bevelen "alertnotify" in te stellen zodat u op de hoogte gesteld wordt van problemen; -bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +Het is ook aan te bevelen "alertnotify" in te stellen zodat u op de hoogte gesteld wordt van problemen; +bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -2763,14 +2771,14 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Gebruik een aparte SOCKS5 proxy om 'Tor hidden services' te bereiken (standaard: hetzelfde als -proxy) + Gebruik een aparte SOCKS5 proxy om 'Tor hidden services' te bereiken (standaard: hetzelfde als -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Waarschuwing: -paytxfee is zeer hoog ingesteld. Dit zijn de transactiekosten die u betaalt bij het versturen van een transactie. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Waarschuwing: Controleer dat de datum en tijd op uw computer correct zijn ingesteld. Als uw klok fout staat zal Bitcoin niet correct werken. @@ -2783,7 +2791,7 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Waarschuwing: Fout bij het lezen van wallet.dat! Alle sleutels zijn in goede orde uitgelezen, maar transactiedata of adresboeklemma's zouden kunnen ontbreken of fouten bevatten. + Waarschuwing: Fout bij het lezen van wallet.dat! Alle sleutels zijn in goede orde uitgelezen, maar transactiedata of adresboeklemma's zouden kunnen ontbreken of fouten bevatten. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. @@ -2959,15 +2967,15 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Importing... - + Importeren... Incorrect or no genesis block found. Wrong datadir for network? Incorrect of geen genesis-blok gevonden. Verkeerde datamap voor het netwerk? - Invalid -onion address: '%s' - Ongeldig -onion adres '%s' + Invalid -onion address: '%s' + Ongeldig -onion adres '%s' Not enough file descriptors available. @@ -3070,12 +3078,12 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Informatie - Invalid amount for -minrelaytxfee=<amount>: '%s' - Ongeldig bedrag voor -minrelaytxfee=<bedrag>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Ongeldig bedrag voor -minrelaytxfee=<bedrag>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Ongeldig bedrag voor -mintxfee=<bedrag>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Ongeldig bedrag voor -mintxfee=<bedrag>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3239,7 +3247,7 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Send commands to node running on <ip> (default: 127.0.0.1) - Verstuur commando's naar proces dat op <ip> draait (standaard: 127.0.0.1) + Verstuur commando's naar proces dat op <ip> draait (standaard: 127.0.0.1) Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3302,28 +3310,28 @@ bijvoorbeeld: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Fout bij laden wallet.dat - Invalid -proxy address: '%s' - Ongeldig -proxy adres: '%s' + Invalid -proxy address: '%s' + Ongeldig -proxy adres: '%s' - Unknown network specified in -onlynet: '%s' - Onbekend netwerk gespecificeerd in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Onbekend netwerk gespecificeerd in -onlynet: '%s' Unknown -socks proxy version requested: %i Onbekende -socks proxyversie aangegeven: %i - Cannot resolve -bind address: '%s' - Kan -bind adres niet herleiden: '%s' + Cannot resolve -bind address: '%s' + Kan -bind adres niet herleiden: '%s' - Cannot resolve -externalip address: '%s' - Kan -externlip adres niet herleiden: '%s' + Cannot resolve -externalip address: '%s' + Kan -externlip adres niet herleiden: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Ongeldig bedrag voor -paytxfee=<bedrag>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Ongeldig bedrag voor -paytxfee=<bedrag>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_pam.ts b/src/qt/locale/bitcoin_pam.ts index 4a5e0363a86..aac447bbdd9 100644 --- a/src/qt/locale/bitcoin_pam.ts +++ b/src/qt/locale/bitcoin_pam.ts @@ -1,15 +1,7 @@ - + AboutDialog - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - This is experimental software. @@ -25,15 +17,7 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p Copyright Karapatan ning Pamangopya - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -46,7 +30,7 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p &New - + &Bayu Copy the currently selected address to the system clipboard @@ -54,11 +38,11 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p &Copy - + &Kopyan C&lose - + I&sara &Copy Address @@ -69,36 +53,28 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p Ilako ya ing kasalungsungan makapiling address keng listahan - Export the data in the current tab to a file - - - - &Export - - - &Delete &Ilako Choose the address to send coins to - + Pilinan ing address a magpadalang coins kang Choose the address to receive coins with - + Pilinan ing address a tumanggap coins a atin C&hoose - + P&ilinan Sending addresses - + Address king pamag-Send Receiving addresses - + Address king pamag-Tanggap These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. @@ -106,7 +82,7 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Reni reng kekang Bitcoin addresses keng pamananggap bayad. Rerekomenda mi na gumamit kang bayung address keng balang transaksiyon. Copy &Label @@ -117,22 +93,10 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p &Alilan - Export Address List - - - Comma separated file (*.csv) Comma separated file (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -270,10 +234,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p &Overview - Node - - - Show general overview of wallet Ipakit ing kabuuang lawe ning wallet @@ -322,26 +282,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p &Alilan ing Passphrase... - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - Send coins to a Bitcoin address Magpadalang barya king Bitcoin address @@ -378,14 +318,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p Wallet - &Send - - - - &Receive - - - &Show / Hide &Ipalto / Isalikut @@ -394,18 +326,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p Ipalto o isalikut ing pun a awang - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File &File @@ -430,34 +350,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p Kapilubluban ning Bitcoin - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoin client @@ -466,17 +358,9 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p %n ya ing aktibong koneksion keng Bitcoin network%n lareng aktibong koneksion keng Bitcoin network - No block source available... - - - Processed %1 of %2 (estimated) blocks of transaction history. Me-prosesu %1 kareng %2 (me-estima) blocks ning kasalesayan ning transaksion. - - Processed %1 blocks of transaction history. - - %n hour(s) %n oras%n oras @@ -490,18 +374,6 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p %n dominggu%n dominggu - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - Last received block was generated %1 ago. Ing tatauling block a metanggap, me-generate ya %1 ing milabas @@ -572,54 +444,6 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount Alaga @@ -632,18 +456,10 @@ Address: %4 Kaaldauan - Confirmations - - - Confirmed Me-kumpirma - Priority - - - Copy address Kopyan ing address @@ -656,150 +472,10 @@ Address: %4 Kopyan ing alaga - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - (no label) (alang label) - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog @@ -811,14 +487,6 @@ Address: %4 &Label - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - &Address &Address @@ -839,12 +507,12 @@ Address: %4 Alilan ya ing address king pamagpadala - The entered address "%1" is already in the address book. - Ing pepalub yung address "%1" ati na yu king aklat dareng address + The entered address "%1" is already in the address book. + Ing pepalub yung address "%1" ati na yu king aklat dareng address - The entered address "%1" is not a valid Bitcoin address. - Ing pepalub yung address "%1" ali ya katanggap-tanggap a Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. + Ing pepalub yung address "%1" ali ya katanggap-tanggap a Bitcoin address. Could not unlock wallet. @@ -857,34 +525,10 @@ Address: %4 FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Kapilubluban ning Bitcoin @@ -905,26 +549,18 @@ Address: %4 Pipamilian ning UI - Set language, for example "de_DE" (default: system locale) - Mamiling Amanu, alimbawa "de_DE"(default: system locale) + Set language, for example "de_DE" (default: system locale) + Mamiling Amanu, alimbawa "de_DE"(default: system locale) Start minimized Umpisan ing pamaglati - Set SSL root certificates for payment request (default: -system-) - - - Show splash screen on startup (default: 1) Ipalto ing splash screen keng umpisa (default: 1) - - Choose data directory on startup (default: 0) - - - + Intro @@ -932,69 +568,17 @@ Address: %4 Malaus ka - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Mali - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog @@ -1006,10 +590,6 @@ Address: %4 &Pun - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - Pay transaction &fee Mamayad &bayad para king transaksion @@ -1022,70 +602,10 @@ Address: %4 &Umpisan ya ing Bitcoin king pamag-log-in na ning sistema. - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - &Network &Network - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. Ibuklat yang antimanu ing Bitcoin client port king router. Gagana yamu ini istung ing router mu susuporta yang UPnP at magsilbi ya. @@ -1127,7 +647,7 @@ Address: %4 Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Palatian namu kesa king iluwal ya ing aplikasion istung makasara ya ing awang. Istung ing pipamilian a ini atiu king "magsilbi", ing aplikasion misara yamu kaibat meng pinili ing "Tuknangan" king menu. + Palatian namu kesa king iluwal ya ing aplikasion istung makasara ya ing awang. Istung ing pipamilian a ini atiu king "magsilbi", ing aplikasion misara yamu kaibat meng pinili ing "Tuknangan" king menu. M&inimize on close @@ -1162,10 +682,6 @@ Address: %4 &Ipakit ing address king listahan naning transaksion - Whether to show coin control features or not. - - - &OK &OK @@ -1178,35 +694,15 @@ Address: %4 default - none - + The supplied proxy address is invalid. + Ing milageng proxy address eya katanggap-tanggap. + + + OverviewPage - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - Ing milageng proxy address eya katanggap-tanggap. - - - - OverviewPage - - Form - Form + Form + Form The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. @@ -1217,18 +713,10 @@ Address: %4 Wallet - Available: - - - Your current spendable balance Ing kekang kasalungsungan balanse a malyari mung gastusan - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Ing kabuuan dareng transaksion a kasalungsungan ali pa me-kumpirma, at kasalungsungan ali pa mebilang kareng kekang balanseng malyari mung gastusan @@ -1259,75 +747,7 @@ Address: %4 PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject @@ -1335,45 +755,13 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Magpalub kang Bitcoin address(e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole @@ -1393,14 +781,6 @@ Address: %4 &Impormasion - Debug window - - - - General - - - Using OpenSSL version Gagamit bersion na ning OpenSSL @@ -1413,10 +793,6 @@ Address: %4 Network - Name - - - Number of connections Bilang dareng koneksion @@ -1445,24 +821,8 @@ Address: %4 &Console - &Network Traffic - - - - &Clear - - - Totals - - - - In: - - - - Out: - + Kabuuan: Build date @@ -1492,114 +852,18 @@ Address: %4 Type <b>help</b> for an overview of available commands. I-type ing <b>help</b> ban akit la reng ati at magsilbing commands. - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - &Amount: - - - &Label: &Label: - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - Copy label Kopyan ing label - Copy message - - - Copy amount Kopyan ing alaga @@ -1607,34 +871,6 @@ Address: %4 ReceiveRequestDialog - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - Address Address @@ -1650,15 +886,7 @@ Address: %4 Message Mensayi - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel @@ -1681,15 +909,7 @@ Address: %4 (no label) (alang label) - - (no message) - - - - (no amount) - - - + SendCoinsDialog @@ -1697,62 +917,6 @@ Address: %4 Magpadalang Barya - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Misanang magpadala kareng alialiuang tumanggap @@ -1761,10 +925,6 @@ Address: %4 Maglage &Tumanggap - Clear all fields of the form. - - - Clear &All I-Clear &Eganagana @@ -1785,50 +945,10 @@ Address: %4 Kumpirman ing pamagpadalang barya - %1 to %2 - - - - Copy quantity - - - Copy amount Kopyan ing alaga - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - The recipient address is not valid, please recheck. Ing address na ning tumanggap ali ya katanggap-tanggap, maliari pung pakilaue pasibayu. @@ -1849,42 +969,10 @@ Address: %4 Atin meakit a milupang address, maliari kamung magpadalang misan king metung a address king misan a pamagpadalang transaksion. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - (no label) (alang label) - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry @@ -1908,14 +996,6 @@ Address: %4 &Label: - Choose previously used address - - - - This is a normal payment. - - - Alt+A Alt+A @@ -1927,50 +1007,10 @@ Address: %4 Alt+P Alt+P - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog @@ -1990,10 +1030,6 @@ Address: %4 Ing address ban a -pirman ya ing mensayi kayabe ning (e.g.1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Choose previously used address - - - Alt+A Alt+A @@ -2038,10 +1074,6 @@ Address: %4 &Beripikan ing Mensayi - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Ing address na ning mensayi nung nokarin me pirma ya ini (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2062,8 +1094,8 @@ Address: %4 Magpalub kang Bitcoin address(e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - I-click ing "Pirman ing Mensayi" ban agawa ya ing metung a pirma + Click "Sign Message" to generate signature + I-click ing "Pirman ing Mensayi" ban agawa ya ing metung a pirma The entered address is invalid. @@ -2121,21 +1153,13 @@ Address: %4 Kapilubluban ning Bitcoin - The Bitcoin Core developers - - - [testnet] [testnet] TrafficGraphWidget - - KB/s - - - + TransactionDesc @@ -2143,10 +1167,6 @@ Address: %4 Makabuklat anggang %1 - conflicted - - - %1/offline %1/offline @@ -2162,10 +1182,6 @@ Address: %4 Status Kabilian - - , broadcast through %n node(s) - - Date Kaaldauan @@ -2198,10 +1214,6 @@ Address: %4 Credit Credit - - matures in %n more block(s) - - not accepted ali metanggap @@ -2231,14 +1243,6 @@ Address: %4 ID ning Transaksion - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Impormasion ning Debug @@ -2247,10 +1251,6 @@ Address: %4 Transaksion - Inputs - - - Amount Alaga @@ -2266,10 +1266,6 @@ Address: %4 , has not been successfully broadcast yet , eya matagumpeng mibalita - - Open for %n more block(s) - - unknown e miya balu @@ -2305,14 +1301,6 @@ Address: %4 Alaga - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - Open until %1 Makabuklat anggang %1 @@ -2329,22 +1317,6 @@ Address: %4 Me-generate ya oneng ali ya metanggap - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Atanggap kayabe ning @@ -2460,10 +1432,6 @@ Address: %4 Kopyan ing alaga - Copy transaction ID - - - Edit label Alilan ing label @@ -2472,26 +1440,6 @@ Address: %4 Ipakit ing detalye ning transaksion - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - Comma separated file (*.csv) Comma separated file (*.csv) @@ -2534,11 +1482,7 @@ Address: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2548,39 +1492,7 @@ Address: %4 WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core @@ -2640,18 +1552,10 @@ Address: %4 Atin kamalian a milyari kabang ayusan ya ing RPC port %u para keng pamakiramdam king IPv4: %s - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - Accept command line and JSON-RPC commands Tumanggap command line at JSON-RPC commands - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Gumana king gulut bilang daemon at tumanggap commands @@ -2664,184 +1568,30 @@ Address: %4 Tumanggap koneksion menibat king kilwal (default: 1 if no -proxy or -connect) - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Kapabaluan: Sobra ya katas ing makalage king -paytxfee. Ini ing maging bayad mu para king bayad na ning transaksion istung pepadala me ing transaksion a ini. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Kapabaluan: Maliaring pakilawe ing oras at aldo a makalage king kekayung kompyuter nung istu la! Istung ing oras yu mali ya ali ya gumanang masalese ing Bitcoin. - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - Block creation options: Pipamilian king pamag-gawang block: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - Connect only to the specified node(s) Kumunekta mu king mepiling node(s) - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - Corrupted block database detected Mekapansin lang me-corrupt a block database - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) I-discover ing sariling IP address (default: 1 istung makiramdam at -externalip) - Do not load the wallet and disable wallet RPC calls - - - Do you want to rebuild the block database now? Buri meng buuan pasibayu ing block database ngene? @@ -2850,14 +1600,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Kamalian king pamag-initialize king block na ning database - Error initializing wallet database environment %s! - - - - Error loading block database - - - Error opening block database Kamalian king pamag buklat king block database @@ -2866,10 +1608,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Kamalian: Mababa ne ing espasyu king disk! - Error: Wallet locked, unable to create transaction! - - - Error: system error: Kamalian: kamalian na ning sistema: @@ -2918,218 +1656,22 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Me-mali king pamanyulat king undo data - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Mantun peers gamit ing pamamantun DNS (default: 1 unless -connect) - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - How many blocks to check at startup (default: 288, 0 = all) Pilan la reng block a lawan keng umpisa (default: 288, 0 = all) - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information &Impormasion - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) Pipamilian ning SSL: (lawen ye ing Bitcoin Wiki para king SSL setup instructions) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Magpadalang trace/debug info okeng console kesa keng debug.log file @@ -3138,58 +1680,14 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Ilage ing pekaditak a dagul na ning block king bytes (default: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - System error: Kamalian ning sistema: - Transaction amount too small - - - - Transaction amounts must be positive - - - Transaction too large Maragul yang masiadu ing transaksion - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - Username for JSON-RPC connections Username para king JSON-RPC koneksion @@ -3202,22 +1700,10 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Kapabaluan: Ing bersioin a ini laus ne, kailangan nang mag-upgrade! - Zapping all transactions from wallet... - - - - on startup - - - version bersion - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Password para king JSON-RPC koneksion @@ -3290,28 +1776,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Me-mali ya ing pamag-load king wallet.dat - Invalid -proxy address: '%s' - Ali katanggap-tanggap a -proxy addresss: '%s' + Invalid -proxy address: '%s' + Ali katanggap-tanggap a -proxy addresss: '%s' - Unknown network specified in -onlynet: '%s' - E kilalang network ing mepili king -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + E kilalang network ing mepili king -onlynet: '%s' Unknown -socks proxy version requested: %i E kilalang -socks proxy version requested: %i - Cannot resolve -bind address: '%s' - Eya me-resolve ing -bind address: '%s' + Cannot resolve -bind address: '%s' + Eya me-resolve ing -bind address: '%s' - Cannot resolve -externalip address: '%s' - Eya me-resolve ing -externalip address: '%s' + Cannot resolve -externalip address: '%s' + Eya me-resolve ing -externalip address: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Eya maliari ing alaga keng -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Eya maliari ing alaga keng -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_pl.ts b/src/qt/locale/bitcoin_pl.ts index 06845bfc3b3..60550fda6ab 100644 --- a/src/qt/locale/bitcoin_pl.ts +++ b/src/qt/locale/bitcoin_pl.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -17,11 +17,11 @@ Distributed under the MIT/X11 software license, see the accompanying file COPYIN This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. -Oprogramowanie eksperymentalne. +Jest to oprogramowanie eksperymentalne. -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. +Dystrybutowane pod licencją oprogramowania MIT/X11, zobacz akompaniujący plik COPYING lub odwiedź http://www.opensource.org/licenses/mit-license.php. -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. +Ten produkt zawiera oprogramowanie opracowane przez Projekt OpenSSL do użycia w OpenSSL Toolkit (http://www.openssl.org/) i oprogramowanie kryptograficzne napisane przez Eric Young (eay@cryptsoft.com) i także oprogramowanie UPnP napisane przez Thomas Bernard. Copyright @@ -33,7 +33,7 @@ This product includes software developed by the OpenSSL Project for use in the O (%1-bit) - + (%1-bit) @@ -84,7 +84,7 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - Wybierz adres żeby wysłać bitcoins + Wybierz adres do którego wysłać BitCoin/y Choose the address to receive coins with @@ -132,7 +132,7 @@ This product includes software developed by the OpenSSL Project for use in the O There was an error trying to save the address list to %1. - + Wystąpił błąd podczas próby zapisu listy adresów do %1. @@ -206,7 +206,7 @@ This product includes software developed by the OpenSSL Project for use in the O Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - Uwaga: Jeśli zaszyfrujesz swój portfel i zgubisz hasło to <b>STRACISZ WSZYSTKIE SWOJE BITCOIN'Y</b>! + Uwaga: Jeśli zaszyfrujesz swój portfel i zgubisz hasło to <b>STRACISZ WSZYSTKIE SWOJE BITCOIN'Y</b>! Are you sure you wish to encrypt your wallet? @@ -273,7 +273,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Węzeł Show general overview of wallet @@ -449,15 +449,15 @@ This product includes software developed by the OpenSSL Project for use in the O Open a bitcoin: URI or payment request - + Otwórz URI bitcoin: lub żądanie zapłaty &Command-line options - + &Opcje konsoli Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Pokaż pomoc Rdzenia Bitcoin, aby zobaczyć listę wszystkich opcji linii poleceń Bitcoin client @@ -575,7 +575,7 @@ Adres: %4 CoinControlDialog Coin Control Address Selection - + Sterowanie Monetą Wybór Adresu Quantity: @@ -599,7 +599,7 @@ Adres: %4 Low Output: - + Niska Wartość: After Fee: @@ -691,7 +691,7 @@ Adres: %4 Copy low output - + Skopiuj niską wartość Copy change @@ -739,11 +739,11 @@ Adres: %4 none - + żaden Dust - + Pył yes @@ -770,8 +770,8 @@ Adres: %4 Transakcje o wyższym priorytecie zostają szybciej dołączone do bloku. - This label turns red, if the priority is smaller than "medium". - Ta etykieta jest czerwona, jeżeli priorytet jest mniejszy niż "średni" + This label turns red, if the priority is smaller than "medium". + Ta etykieta jest czerwona, jeżeli priorytet jest mniejszy niż "średni" This label turns red, if any recipient receives an amount smaller than %1. @@ -782,10 +782,6 @@ Adres: %4 Oznacza to, że wymagana jest opłata przynajmniej %1. - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - This label turns red, if the change is smaller than %1. Etykieta staje się czerwona kiedy reszta jest mniejsza niż %1. @@ -841,12 +837,12 @@ Adres: %4 Zmień adres wysyłania - The entered address "%1" is already in the address book. - Wprowadzony adres "%1" już istnieje w książce adresowej. + The entered address "%1" is already in the address book. + Wprowadzony adres "%1" już istnieje w książce adresowej. - The entered address "%1" is not a valid Bitcoin address. - Wprowadzony adres "%1" nie jest poprawnym adresem Bitcoin. + The entered address "%1" is not a valid Bitcoin address. + Wprowadzony adres "%1" nie jest poprawnym adresem Bitcoin. Could not unlock wallet. @@ -907,8 +903,8 @@ Adres: %4 UI opcje - Set language, for example "de_DE" (default: system locale) - Ustaw Język, na przykład "pl_PL" (domyślnie: systemowy) + Set language, for example "de_DE" (default: system locale) + Ustaw Język, na przykład "pl_PL" (domyślnie: systemowy) Start minimized @@ -916,7 +912,7 @@ Adres: %4 Set SSL root certificates for payment request (default: -system-) - + Ustaw certyfikaty główne SSL dla żądań płatności (domyślnie: -system-) Show splash screen on startup (default: 1) @@ -958,8 +954,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Błąd: Określony folder danych "%1" nie mógł zostać utworzony. + Error: Specified data directory "%1" can not be created. + Błąd: Określony folder danych "%1" nie mógł zostać utworzony. Error @@ -990,11 +986,11 @@ Adres: %4 Select payment request file - + Otwórz żądanie zapłaty z pliku Select payment request file to open - + Wybierz plik żądania zapłaty do otwarcia @@ -1025,7 +1021,7 @@ Adres: %4 Size of &database cache - + Wielkość bufora bazy &danych MB @@ -1033,15 +1029,15 @@ Adres: %4 Number of script &verification threads - + Liczba wątków &weryfikacji skryptu Connect to the Bitcoin network through a SOCKS proxy. - + Połącz się z siecią Bitcoin poprzez SOCKS proxy. &Connect through SOCKS proxy (default proxy): - + Połącz przez proxy SO&CKS (domyślne proxy): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) @@ -1049,7 +1045,7 @@ Adres: %4 Active command-line options that override above options: - + Aktywne opcje linii komend, które nadpisują powyższe opcje: Reset all client options to default. @@ -1065,7 +1061,7 @@ Adres: %4 (0 = auto, <0 = leave that many cores free) - + (0 = automatycznie, <0 = zostaw tyle wolnych rdzeni) W&allet @@ -1077,15 +1073,11 @@ Adres: %4 Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Włącz funk&cje kontoli monet &Spend unconfirmed change - + Wydaj niepotwierdzoną re&sztę Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1165,7 +1157,7 @@ Adres: %4 Whether to show coin control features or not. - + Wybierz pokazywanie lub nie funkcji kontroli monet. &OK @@ -1181,7 +1173,7 @@ Adres: %4 none - + żaden Confirm options reset @@ -1283,27 +1275,15 @@ Adres: %4 Net manager warning - + Ostrzeżenie menedżera sieci - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Twoje aktywne proxy nie obsługuje SOCKS5, co jest wymagane dla żądania płatności przez proxy. Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - + URL pobrania żądania zapłaty jest nieprawidłowe: %1 Refund from %1 @@ -1314,10 +1294,6 @@ Adres: %4 Błąd komunikacji z %1 : %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Błędna odpowiedź z serwera %1 @@ -1337,8 +1313,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Błąd: Określony folder danych "%1" nie istnieje. + Error: Specified data directory "%1" does not exist. + Błąd: Określony folder danych "%1" nie istnieje. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1349,8 +1325,8 @@ Adres: %4 Błąd: Niepoprawna kombinacja -regtest i -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core jeszcze się nie wyłączył bezpiecznie… Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1542,24 +1518,16 @@ Adres: %4 Użyj jeden z poprzednio użytych adresów odbiorczych. Podczas ponownego używania adresów występują problemy z bezpieczeństwem i prywatnością. Nie korzystaj z tej opcji, chyba że odtwarzasz żądanie płatności wykonane już wcześniej. - R&euse an existing receiving address (not recommended) - U%żyj ponownie istniejący adres odbiorczy (niepolecane) - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - An optional label to associate with the new receiving address. Opcjonalna etykieta do skojarzenia z nowym adresem odbiorczym. Use this form to request payments. All fields are <b>optional</b>. - + Użyj tego formularza do zażądania płatności. Wszystkie pola są <b>opcjonalne</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Opcjonalna kwota by zażądać. Zostaw puste lub zero by nie zażądać konkretnej kwoty. Clear all fields of the form. @@ -1579,7 +1547,7 @@ Adres: %4 Show the selected request (does the same as double clicking an entry) - + Pokaż wybrane żądanie (robi to samo co dwukrotne kliknięcie pozycji) Show @@ -1700,7 +1668,7 @@ Adres: %4 Coin Control Features - + Funkcje sterowania monet Inputs... @@ -1736,7 +1704,7 @@ Adres: %4 Low Output: - + Niska Wartość: After Fee: @@ -1752,7 +1720,7 @@ Adres: %4 Custom change address - + Niestandardowe zmiany adresu Send to multiple recipients at once @@ -1816,7 +1784,7 @@ Adres: %4 Copy low output - + Skopiuj niską wartość Copy change @@ -1946,10 +1914,6 @@ Adres: %4 Wprowadź etykietę dla tego adresu by dodać go do listy użytych adresów - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - This is an unverified payment request. To żądanie zapłaty nie zostało zweryfikowane. @@ -2064,8 +2028,8 @@ Adres: %4 Wprowadź adres Bitcoin (np. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Kliknij "Podpisz Wiadomość" żeby uzyskać podpis + Click "Sign Message" to generate signature + Kliknij "Podpisz Wiadomość" żeby uzyskać podpis The entered address is invalid. @@ -2146,7 +2110,7 @@ Adres: %4 conflicted - + konflikt %1/offline @@ -2237,8 +2201,8 @@ Adres: %4 Kupiec - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Wygenerowane monety muszą dojrzeć przez %1 bloków zanim będzie można je wysłać. Gdy wygenerowałeś ten blok został on ogłoszony w sieci i dodany do łańcucha bloków. Jeżeli nie uda mu się wejść do łańcucha jego status zostanie zmieniony na "nie zaakceptowano" i nie będzie można go wydać. To czasem zdarza się gdy inny węzeł wygeneruje blok w kilka sekund od twojego. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Wygenerowane monety muszą dojrzeć przez %1 bloków zanim będzie można je wysłać. Gdy wygenerowałeś ten blok został on ogłoszony w sieci i dodany do łańcucha bloków. Jeżeli nie uda mu się wejść do łańcucha jego status zostanie zmieniony na "nie zaakceptowano" i nie będzie można go wydać. To czasem zdarza się gdy inny węzeł wygeneruje blok w kilka sekund od twojego. Debug information @@ -2308,11 +2272,7 @@ Adres: %4 Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - Otwórz dla %n następnych bloków + Niedojrzała (%1 potwierdzeń, będzie dostępna po %2) Open until %1 @@ -2332,7 +2292,7 @@ Adres: %4 Offline - + Offline Unconfirmed @@ -2344,7 +2304,7 @@ Adres: %4 Conflicted - + Konflikt Received with @@ -2651,7 +2611,7 @@ Adres: %4 Bitcoin Core RPC client version - + Wersja klienta Bitcoin Core RPC Run in the background as a daemon and accept commands @@ -2675,7 +2635,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, musisz ustawić rpcpassword w pliku konfiguracyjnym:⏎ %s⏎ @@ -2686,7 +2646,7 @@ rpcpassword=%s⏎ Użytkownik i hasło nie mogą być takie same.⏎ Jeśli plik nie istnieje, utwórz go z uprawnieniami tylko-do-odczytu dla właściciela.⏎ Zalecane jest ustawienie alertnotify aby poinformować o problemach:⏎ -na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo.com⏎ +na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo.com⏎ Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -2701,20 +2661,12 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Skojarz z podanym adresem. Użyj formatu [host]:port dla IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Wejście w tryb testów regresji, który wykorzystuje specjalny łańcuch, w którym bloki można rozwiązać natychmiast. To jest przeznaczone dla narzędzi testowania regresji i rozwoju aplikacji. - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - Error: Listening for incoming connections failed (listen returned error %d) - + Błąd: Nasłuchiwanie połączeń przychodzących nie powiodło się (nasłuch zwrócił błąd %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2730,27 +2682,19 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Prowizje mniejsze niż ta są uznawane za nieistniejące (przy tworzeniu transakcji) (domyślnie: How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - + Jak dokładna jest weryfikacja bloków przy -checkblocks (0-4, domyślnie: 3) Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Ustaw liczbę wątków skryptu weryfikacyjnego (%u do %d, 0 = auto, <0 = zostaw tyle rdzeni wolnych, domyślnie: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Ustaw limit wątków dla generowania monet (-1 = wszystkie rdzenie, domyślnie: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2758,18 +2702,14 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Nie można przywiązać z portem %s na tym komputerze. Bitcoin Core prawdopodobnie już działa. Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Ostrzeżenie: -paytxfee jest bardzo duży. To jest prowizja za transakcje, którą płacisz, gdy wysyłasz monety. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Uwaga: Sprawdź czy data i czas na Twoim komputerze są prawidłowe! Jeśli nie to Bitcoin nie będzie działał prawidłowo. @@ -2790,15 +2730,15 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo (default: 1) - + (domyślnie: 1) (default: wallet.dat) - + (domyślnie: wallet.dat) <category> can be: - + <category> mogą być: Attempt to recover private keys from a corrupt wallet.dat @@ -2806,7 +2746,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Bitcoin Core Daemon - + Bitcoin Core Daemon Block creation options: @@ -2841,10 +2781,6 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Opcje debugowania/testowania: - Disable safemode, override a real safe mode event (default: 0) - - - Discover own IP address (default: 1 when listening and no -externalip) Odkryj własny adres IP (domyślnie: 1 kiedy w trybie nasłuchu i brak -externalip ) @@ -2934,7 +2870,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Fees smaller than this are considered zero fee (for relaying) (default: - + Opłaty mniejsze niż to są uznawane za nieistniejące (przy przekazywaniu) (domyślnie: Find peers using DNS lookup (default: 1 unless -connect) @@ -2942,7 +2878,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Force safe mode (default: 0) - + Wymuś tryb bezpieczny (domyślnie: 0) Generate coins (default: 0) @@ -2953,30 +2889,22 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Ile bloków sprawdzić przy starcie (domyślnie: 288, 0 = wszystkie) - If <category> is not supplied, output all debugging information. - - - Importing... - + Importowanie… Incorrect or no genesis block found. Wrong datadir for network? Nieprawidłowy lub brak bloku genezy. Błędny folder_danych dla sieci? - Invalid -onion address: '%s' - Nieprawidłowy adres -onion: '%s' + Invalid -onion address: '%s' + Nieprawidłowy adres -onion: '%s' Not enough file descriptors available. Brak wystarczającej liczby deskryptorów plików. - Prepend debug output with timestamp (default: 1) - - - RPC client options: Opcje klienta RPC: @@ -3010,7 +2938,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo This is intended for regression testing tools and app development. - + Jest to przeznaczone dla narzędzi testowania regresji i rozwoju aplikacji. Usage (deprecated, use bitcoin-cli): @@ -3026,7 +2954,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Wait for RPC server to start - + Poczekaj na uruchomienie serwera RPC Wallet %s resides outside data directory %s @@ -3037,10 +2965,6 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Opcje portfela: - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - You need to rebuild the database using -reindex to change -txindex Musisz przebudować bazę używając parametru -reindex aby zmienić -txindex @@ -3050,39 +2974,31 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Nie można uzyskać blokady na katalogu z danymi %s. Rdzeń Bitcoin najprawdopodobniej jest już uruchomiony. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) Uruchom polecenie przy otrzymaniu odpowiedniego powiadomienia lub gdy zobaczymy naprawdę długie rozgałęzienie (%s w poleceniu jest podstawiane za komunikat) - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Ustaw maksymalny rozmiar transakcji o wysokim priorytecie/niskiej prowizji w bajtach (domyślnie: 27000) - - Information Informacja - Invalid amount for -minrelaytxfee=<amount>: '%s' - Nieprawidłowa kwota dla -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Nieprawidłowa kwota dla -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Nieprawidłowa kwota dla -mintxfee=<amount>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Nieprawidłowa kwota dla -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + Ogranicz rozmiar pamięci podręcznej sygnatur do <n> wpisów (domyslnie: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Loguj priorytety transakcji i opłaty na kB podczas kopania bloków (domyślnie: 0) Maintain a full transaction index (default: 0) @@ -3106,15 +3022,15 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Print block on startup, if found in block index - + Wyświetlaj blok podczas uruchamiania, jeżeli znaleziono indeks bloków Print block tree on startup (default: 0) - + Wypisz drzewo bloków podczas uruchomienia (domyślnie: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opcje RPC SSL: (odwiedź Bitcoin Wiki w celu uzyskania instrukcji) RPC server options: @@ -3122,15 +3038,15 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Randomly drop 1 of every <n> network messages - + Losowo ignoruje 1 z każdych <n> wiadomości sieciowych. Randomly fuzz 1 of every <n> network messages - + Losowo ignoruje 1 z wszystkich <n> wiadomości sieciowych. Run a thread to flush wallet periodically (default: 1) - + Uruchom wątek do okresowego zapisywania portfela (domyślnie: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3138,7 +3054,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Send command to Bitcoin Core - + Wyślij komendę do Bitcoin Core Send trace/debug info to console instead of debug.log file @@ -3149,16 +3065,8 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Ustaw minimalny rozmiar bloku w bajtach (domyślnie: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - + Pokaż wszystkie opcje odpluskwiania (użycie: --help -help-debug) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3174,7 +3082,7 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Start Bitcoin Core Daemon - + Uruchom serwer Bitcoin Core System error: @@ -3214,11 +3122,11 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Zapping all transactions from wallet... - + Usuwam wszystkie transakcje z portfela... on startup - + podczas uruchamiania version @@ -3301,28 +3209,28 @@ na przykład: alertnotify=echo %%s | mail -s "Alarm Bitcoin" admin@foo Błąd ładowania wallet.dat - Invalid -proxy address: '%s' - Nieprawidłowy adres -proxy: '%s' + Invalid -proxy address: '%s' + Nieprawidłowy adres -proxy: '%s' - Unknown network specified in -onlynet: '%s' - Nieznana sieć w -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Nieznana sieć w -onlynet: '%s' Unknown -socks proxy version requested: %i Nieznana wersja proxy w -socks: %i - Cannot resolve -bind address: '%s' - Nie można uzyskać adresu -bind: '%s' + Cannot resolve -bind address: '%s' + Nie można uzyskać adresu -bind: '%s' - Cannot resolve -externalip address: '%s' - Nie można uzyskać adresu -externalip: '%s' + Cannot resolve -externalip address: '%s' + Nie można uzyskać adresu -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Nieprawidłowa kwota dla -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Nieprawidłowa kwota dla -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_pt_BR.ts b/src/qt/locale/bitcoin_pt_BR.ts index 94a87596ca9..2fe79c8c6a7 100644 --- a/src/qt/locale/bitcoin_pt_BR.ts +++ b/src/qt/locale/bitcoin_pt_BR.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -769,8 +769,8 @@ Endereço: %4 Transações de alta prioridade são mais propensas a serem incluídas em um bloco. - This label turns red, if the priority is smaller than "medium". - Esse marcador fica vermelho se a prioridade for menor que "média". + This label turns red, if the priority is smaller than "medium". + Esse marcador fica vermelho se a prioridade for menor que "média". This label turns red, if any recipient receives an amount smaller than %1. @@ -840,12 +840,12 @@ Endereço: %4 Editar endereço de envio - The entered address "%1" is already in the address book. - O endereço digitado "%1" já se encontra no catálogo de endereços. + The entered address "%1" is already in the address book. + O endereço digitado "%1" já se encontra no catálogo de endereços. - The entered address "%1" is not a valid Bitcoin address. - O endereço digitado "%1" não é um endereço Bitcoin válido. + The entered address "%1" is not a valid Bitcoin address. + O endereço digitado "%1" não é um endereço Bitcoin válido. Could not unlock wallet. @@ -906,8 +906,8 @@ Endereço: %4 opções da UI - Set language, for example "de_DE" (default: system locale) - Escolher língua, por exemplo "de_DE" (padrão: localização do sistema) + Set language, for example "de_DE" (default: system locale) + Escolher língua, por exemplo "de_DE" (padrão: localização do sistema) Start minimized @@ -957,10 +957,6 @@ Endereço: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Erro: dados especificados diretório "% 1" não pode ser criado. - - Error Erro @@ -970,7 +966,7 @@ Endereço: %4 (of %1GB needed) - (Mais de 1GB necessário) + (Mais de %1GB necessário) @@ -1047,6 +1043,14 @@ Endereço: %4 Endereço de IP do proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URLs de terceiros (exemplo: explorador de blocos) que aparecem na aba de transações como itens do menu de contexto. %s na URL é substituido pela hash da transação. Múltiplas URLs são separadas pela barra vertical |. + + + Third party transaction URLs + URLs da transação de terceiros + + Active command-line options that override above options: Ativa as opções de linha de comando que sobrescreve as opções acima: @@ -1270,7 +1274,7 @@ Endereço: %4 Requested payment amount of %1 is too small (considered dust). - Valor do pagamento solicitado de 1% é muito pequeno (Considerado poeira). + Valor do pagamento solicitado de %1 é muito pequeno (Considerado poeira). Payment request error @@ -1285,7 +1289,7 @@ Endereço: %4 Gerenciador de rede problemático - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Seu proxy ativo não suporta SOCKS5, que é obrigatório para cobranças via proxy. @@ -1306,11 +1310,11 @@ Endereço: %4 Refund from %1 - Reembolso de 1% + Reembolso de %1 Error communicating with %1: %2 - Erro na comunicação com% 1:% 2 + Erro na comunicação com %1: %2 Payment request can not be parsed or processed! @@ -1318,7 +1322,7 @@ Endereço: %4 Bad response from server %1 - Resposta ruim do servidor% 1 + Resposta incorreta do servidor %1 Payment acknowledged @@ -1336,10 +1340,6 @@ Endereço: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Erro: diretório de dados especificado "% 1" não existe. - - Error: Cannot parse configuration file: %1. Only use key=value syntax. Erro: Não foi possível interpretar arquivo de configuração: %1. Utilize apenas a sintaxe chave=valor. @@ -1348,8 +1348,8 @@ Endereço: %4 Erro: Combinação inválida de-regtest e testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core ainda não terminou com segurança... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1467,7 +1467,7 @@ Endereço: %4 Build date - Data do 'build' + Data do 'build' Debug log file @@ -1495,11 +1495,11 @@ Endereço: %4 %1 B - 1% B + %1 B %1 KB - 1% KB + %1 KB %1 MB @@ -2040,7 +2040,7 @@ Endereço: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Forneça o endereço da assinatura, a mensagem (se assegure que você copiou quebras de linha, espaços, tabs, etc. exatamente) e a assinatura abaixo para verificar a mensagem. Cuidado para não ler mais na assinatura do que está escrito na mensagem propriamente, para evitar ser vítima de uma ataque do tipo "man-in-the-middle". + Forneça o endereço da assinatura, a mensagem (se assegure que você copiou quebras de linha, espaços, tabs, etc. exatamente) e a assinatura abaixo para verificar a mensagem. Cuidado para não ler mais na assinatura do que está escrito na mensagem propriamente, para evitar ser vítima de uma ataque do tipo "man-in-the-middle". The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2052,7 +2052,7 @@ Endereço: %4 Verify &Message - Verificar %Mensagem + Verificar &Mensagem Reset all verify message fields @@ -2063,8 +2063,8 @@ Endereço: %4 Digite um endereço Bitcoin (exemplo: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Clique em "Assinar Mensagem" para gerar a assinatura + Click "Sign Message" to generate signature + Clique em "Assinar Mensagem" para gerar a assinatura The entered address is invalid. @@ -2104,7 +2104,7 @@ Endereço: %4 The signature did not match the message digest. - A assinatura não corresponde ao "resumo da mensagem". + A assinatura não corresponde ao "resumo da mensagem". Message verification failed. @@ -2236,8 +2236,8 @@ Endereço: %4 Mercador - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Bitcoins recém minerados precisam aguardar %1 blocos antes de serem gastos. Quando o bloco foi gerado, ele foi disseminado pela rede para ser adicionado à cadeia de blocos: blockchain. Se ele falhar em ser inserido na cadeia, seu estado será modificado para "não aceito" e ele não poderá ser gasto. Isso pode acontecer eventualmente quando blocos são gerados quase que simultaneamente. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Bitcoins recém minerados precisam aguardar %1 blocos antes de serem gastos. Quando o bloco foi gerado, ele foi disseminado pela rede para ser adicionado à cadeia de blocos: blockchain. Se ele falhar em ser inserido na cadeia, seu estado será modificado para "não aceito" e ele não poderá ser gasto. Isso pode acontecer eventualmente quando blocos são gerados quase que simultaneamente. Debug information @@ -2674,7 +2674,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, você deve especificar uma senha rpcpassword no arquivo de configuração:⏎ %s⏎ @@ -2685,7 +2685,7 @@ rpcpassword=%s⏎ O nome de usuário e a senha NÃO PODEM ser os mesmos.⏎ Se o arquivo não existir, crie um com permissão de leitura apenas para o dono.⏎ É recomendado também definir um alertnotify para que você seja notificado de problemas;⏎ -por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com⏎ +por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com⏎ @@ -2769,7 +2769,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Atenção: valor de -paytxfee escolhido é muito alto! Este é o valor da taxa de transação que você irá pagar se enviar a transação. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Atenção: Por favor, verifique que a data e hora do seu computador estão corretas! Se o seu relógio estiver errado, o Bitcoin não irá funcionar corretamente. @@ -2965,8 +2965,8 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Bloco gênese incorreto ou não encontrado. Datadir errado para a rede? - Invalid -onion address: '%s' - Endereço -onion inválido: '%s' + Invalid -onion address: '%s' + Endereço -onion inválido: '%s' Not enough file descriptors available. @@ -3030,7 +3030,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wallet %s resides outside data directory %s - Carteira de% s reside fora de dados do diretório% s + Carteira %s reside fora do diretório de dados %s Wallet options: @@ -3054,7 +3054,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Executa o comando quando um alerta relevante é recebido ou vemos um longo garfo (% s em cmd é substituída pela mensagem) + Executa o comando quando um alerta relevante é recebido ou vemos uma longa segregação (%s em cmd é substituída pela mensagem) Output debugging information (default: 0, supplying <category> is optional) @@ -3069,12 +3069,12 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Informação - Invalid amount for -minrelaytxfee=<amount>: '%s' - Quantidade inválida para -minrelaytxfee=<amount>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Quantidade inválida para -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Inválido montante for-mintxfee = <amount>: '% s' + Invalid amount for -mintxfee=<amount>: '%s' + Valor inválido para -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3301,28 +3301,28 @@ por exemplo: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Erro ao carregar wallet.dat - Invalid -proxy address: '%s' - Endereço -proxy inválido: '%s' + Invalid -proxy address: '%s' + Endereço -proxy inválido: '%s' - Unknown network specified in -onlynet: '%s' - Rede desconhecida especificada em -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Rede desconhecida especificada em -onlynet: '%s' Unknown -socks proxy version requested: %i Versão desconhecida do proxy -socks requisitada: %i - Cannot resolve -bind address: '%s' - Impossível encontrar o endereço -bind: '%s' + Cannot resolve -bind address: '%s' + Impossível encontrar o endereço -bind: '%s' - Cannot resolve -externalip address: '%s' - Impossível encontrar endereço -externalip: '%s' + Cannot resolve -externalip address: '%s' + Impossível encontrar endereço -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Quantidade inválida para -paytxfee=<quantidade>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Quantidade inválida para -paytxfee=<quantidade>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_pt_PT.ts b/src/qt/locale/bitcoin_pt_PT.ts index d6dbbbf42ae..6b2bbbe97a2 100644 --- a/src/qt/locale/bitcoin_pt_PT.ts +++ b/src/qt/locale/bitcoin_pt_PT.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -33,7 +33,7 @@ Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no Open (%1-bit) - + (%1-bit) @@ -769,8 +769,8 @@ Endereço: %4 Transacções com uma prioridade mais alta têm uma maior probabilidade de serem incluídas num bloco. - This label turns red, if the priority is smaller than "medium". - Esta legenda fica vermelha, se a prioridade for menor que "média". + This label turns red, if the priority is smaller than "medium". + Esta legenda fica vermelha, se a prioridade for menor que "média". This label turns red, if any recipient receives an amount smaller than %1. @@ -782,7 +782,7 @@ Endereço: %4 Amounts below 0.546 times the minimum relay fee are shown as dust. - Quantias abaixo de 0.546 vezes a taxa mínima de retransmissão são mostradas como "pó". + Quantias abaixo de 0.546 vezes a taxa mínima de retransmissão são mostradas como "pó". This label turns red, if the change is smaller than %1. @@ -840,12 +840,12 @@ Endereço: %4 Editar endereço de saída - The entered address "%1" is already in the address book. - O endereço introduzido "%1" já se encontra no livro de endereços. + The entered address "%1" is already in the address book. + O endereço introduzido "%1" já se encontra no livro de endereços. - The entered address "%1" is not a valid Bitcoin address. - O endereço introduzido "%1" não é um endereço bitcoin válido. + The entered address "%1" is not a valid Bitcoin address. + O endereço introduzido "%1" não é um endereço bitcoin válido. Could not unlock wallet. @@ -906,8 +906,8 @@ Endereço: %4 Opções de Interface - Set language, for example "de_DE" (default: system locale) - Definir linguagem, por exemplo "pt_PT" (por defeito: linguagem do sistema) + Set language, for example "de_DE" (default: system locale) + Definir linguagem, por exemplo "pt_PT" (por defeito: linguagem do sistema) Start minimized @@ -915,7 +915,7 @@ Endereço: %4 Set SSL root certificates for payment request (default: -system-) - + Configurar certificados SSL root para pedido de pagamento (default: -system-) Show splash screen on startup (default: 1) @@ -942,7 +942,7 @@ Endereço: %4 Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - O Bitcoin Core vai transferir e armazenar uma cópia do "block chain" (cadeia de blocos). Pelo menos %1GB de dados serão armazenados nesta pasta, e vão crescer ao longo do tempo. A sua carteira também irá ser armazenada nesta pasta. + O Bitcoin Core vai transferir e armazenar uma cópia do "block chain" (cadeia de blocos). Pelo menos %1GB de dados serão armazenados nesta pasta, e vão crescer ao longo do tempo. A sua carteira também irá ser armazenada nesta pasta. Use the default data directory @@ -957,8 +957,8 @@ Endereço: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Erro: Pasta de dados especificada "%1" não pôde ser criada. + Error: Specified data directory "%1" can not be created. + Erro: Pasta de dados especificada "%1" não pôde ser criada. Error @@ -1047,6 +1047,15 @@ Endereço: %4 Endereço IP do proxy (p.ex. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URLs de outrem (ex. um explorador de blocos) que aparece no separador de transações como itens do menu de contexto. +%s do URL é substituído por hash de transação. Vários URLs são separados por barra vertical |. + + + Third party transaction URLs + URLs de transação de outrem + + Active command-line options that override above options: Opções de linha de comandos ativas que se sobrepõem ás opções anteriores: @@ -1064,7 +1073,7 @@ Endereço: %4 (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = Deixar essa quantidade de núcleos livre) W&allet @@ -1270,7 +1279,7 @@ Endereço: %4 Requested payment amount of %1 is too small (considered dust). - Quantia solicitada para pagamento de %1 é muito pequena (considerada "pó"). + Quantia solicitada para pagamento de %1 é muito pequena (considerada "pó"). Payment request error @@ -1285,7 +1294,7 @@ Endereço: %4 Aviso do gestor de rede - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. O seu proxy ativo não suporta SOCKS5, que é necessário para efectuar pedidos de pagemento via proxy. @@ -1336,22 +1345,14 @@ Endereço: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Erro: Pasta de dados especificada "%1" não existe. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Erro: Pasta de dados especificada "%1" não existe. Error: Invalid combination of -regtest and -testnet. Erro: Combinação inválida de -regtest e -testnet. - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduza um endereço Bitcoin (p.ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2063,8 +2064,8 @@ Endereço: %4 Introduza um endereço Bitcoin (p.ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Clique "Assinar mensagem" para gerar a assinatura + Click "Sign Message" to generate signature + Clique "Assinar mensagem" para gerar a assinatura The entered address is invalid. @@ -2236,8 +2237,8 @@ Endereço: %4 Comerciante - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Moedas geradas deverão maturar por %1 blocos antes de poderem ser gastas. Quando gerou este bloco, ele foi transmitido para a rede para ser incluído na cadeia de blocos. Se a inclusão na cadeia de blocos falhar, o seu estado irá ser alterado para "não aceite" e as moedas não poderão ser gastas. Isto poderá acontecer ocasionalmente se outro nó da rede gerar um bloco a poucos segundos de diferença do seu. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Moedas geradas deverão maturar por %1 blocos antes de poderem ser gastas. Quando gerou este bloco, ele foi transmitido para a rede para ser incluído na cadeia de blocos. Se a inclusão na cadeia de blocos falhar, o seu estado irá ser alterado para "não aceite" e as moedas não poderão ser gastas. Isto poderá acontecer ocasionalmente se outro nó da rede gerar um bloco a poucos segundos de diferença do seu. Debug information @@ -2649,10 +2650,6 @@ Endereço: %4 Aceitar comandos de linha de comandos e JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Correr o processo em segundo plano e aceitar comandos @@ -2674,7 +2671,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, deverá definir uma rpcpassword no ficheiro de configuração: %s @@ -2685,7 +2682,7 @@ rpcpassword=%s O nome de utilizador e palavra-passe NÃO PODEM ser iguais. Se o ficheiro não existir, crie-o com permissões de leitura apenas para o dono. Também é recomendado definir um alertnotify para que seja alertado sobre problemas; -por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo.com +por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo.com Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -2700,10 +2697,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Associar a endereço específico e escutar sempre nele. Use a notação [anfitrião]:porta para IPv6 - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. Entre no modo de teste de regressão, que usa uma cadeia especial cujos blocos podem ser resolvidos instantaneamente. Isto têm como fim a realização de testes de regressão para pools e desenvolvimento de aplicações. @@ -2728,28 +2721,12 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Executar comando quando uma das transações na carteira mudar (no comando, %s é substituído pelo ID da Transação) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - In this mode -genproclimit controls how many blocks are generated immediately. - + O modo -genproclimit controla quantos blocos são generados imediatamente. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Defina o número de processos de verificação (%u até %d, 0 = automático, <0 = ldisponibiliza esse número de núcleos livres, por defeito: %d) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2768,7 +2745,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Atenção: -paytxfee está definida com um valor muito alto! Esta é a taxa que irá pagar se enviar uma transação. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Atenção: Por favor verifique que a data e hora do seu computador estão correctas! Se o seu relógio não estiver certo o Bitcoin não irá funcionar correctamente. @@ -2789,11 +2766,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo (default: 1) - - - - (default: wallet.dat) - + (padrão: 1) <category> can be: @@ -2829,7 +2802,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Connection options: - + Opcões de conexção: Corrupted block database detected @@ -2837,11 +2810,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - + Depuração/Opções teste: Discover own IP address (default: 1 when listening and no -externalip) @@ -2932,18 +2901,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Taxa por KB a adicionar a transações enviadas - Fees smaller than this are considered zero fee (for relaying) (default: - - - Find peers using DNS lookup (default: 1 unless -connect) Encontrar pares usando procura DNS (por defeito: 1 excepto -connect) - Force safe mode (default: 0) - - - Generate coins (default: 0) Gerar moedas (por defeito: 0) @@ -2957,15 +2918,15 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Importing... - + A importar... Incorrect or no genesis block found. Wrong datadir for network? Bloco génese incorreto ou nenhum bloco génese encontrado. Pasta de dados errada para a rede? - Invalid -onion address: '%s' - Endereço -onion inválido: '%s' + Invalid -onion address: '%s' + Endereço -onion inválido: '%s' Not enough file descriptors available. @@ -2989,7 +2950,7 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Set database cache size in megabytes (%d to %d, default: %d) - Definir o tamanho da cache de base de dados em megabytes (%d a %s, padrão: %d) + Definir o tamanho da cache de base de dados em megabytes (%d a %d, padrão: %d) Set maximum block size in bytes (default: %d) @@ -3068,20 +3029,12 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Informação - Invalid amount for -minrelaytxfee=<amount>: '%s' - Quantia inválida para -minrelaytxfee=<quantidade>: '%s' - - - Invalid amount for -mintxfee=<amount>: '%s' - Quantia inválida para -mintxfee=<quantidade>: '%s' - - - Limit size of signature cache to <n> entries (default: 50000) - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Quantia inválida para -minrelaytxfee=<quantidade>: '%s' - Log transaction priority and fee per kB when mining blocks (default: 0) - + Invalid amount for -mintxfee=<amount>: '%s' + Quantia inválida para -mintxfee=<quantidade>: '%s' Maintain a full transaction index (default: 0) @@ -3104,42 +3057,10 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Apenas ligar a nós na rede <net> (IPv4, IPv6 ou Tor) - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opções SSL: (ver a Bitcoin Wiki para instruções de configuração SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Enviar informação de rastreio/depuração para a consola e não para o ficheiro debug.log @@ -3148,18 +3069,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Definir tamanho minímo de um bloco em bytes (por defeito: 0) - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - Shrink debug.log file on client startup (default: 1 when no -debug) Encolher ficheiro debug.log ao iniciar o cliente (por defeito: 1 sem -debug definido) @@ -3172,10 +3081,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Especificar tempo de espera da ligação em millisegundos (por defeito: 5000) - Start Bitcoin Core Daemon - - - System error: Erro de sistema: @@ -3216,10 +3121,6 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo A limpar todas as transações da carteira... - on startup - - - version versão @@ -3300,28 +3201,28 @@ por exemplo: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo Erro ao carregar wallet.dat - Invalid -proxy address: '%s' - Endereço -proxy inválido: '%s' + Invalid -proxy address: '%s' + Endereço -proxy inválido: '%s' - Unknown network specified in -onlynet: '%s' - Rede desconhecida especificada em -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Rede desconhecida especificada em -onlynet: '%s' Unknown -socks proxy version requested: %i Versão de proxy -socks requisitada desconhecida: %i - Cannot resolve -bind address: '%s' - Não foi possível resolver o endereço -bind: '%s' + Cannot resolve -bind address: '%s' + Não foi possível resolver o endereço -bind: '%s' - Cannot resolve -externalip address: '%s' - Não foi possível resolver o endereço -externalip: '%s' + Cannot resolve -externalip address: '%s' + Não foi possível resolver o endereço -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Quantia inválida para -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Quantia inválida para -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_ro_RO.ts b/src/qt/locale/bitcoin_ro_RO.ts index 0a310db9894..9f17eeb6360 100644 --- a/src/qt/locale/bitcoin_ro_RO.ts +++ b/src/qt/locale/bitcoin_ro_RO.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -7,7 +7,7 @@ <b>Bitcoin Core</b> version - <b>Nucleul Bitcoin </b> versiune + <b>Nucleul Bitcoin </b> versiunea @@ -19,9 +19,9 @@ This product includes software developed by the OpenSSL Project for use in the O Acesta este un program experimental. -Distribuit sub licența de programe MIT/X11, vezi fișierul însoțitor COPYING sau http://www.opensource.org/licenses/mit-license.php. +Distribuit sub licenţa de programe MIT/X11, vezi fişierul însoţitor COPYING sau http://www.opensource.org/licenses/mit-license.php. -Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi folosite în OpenSSL Toolkit (http://www.openssl.org/) și programe criptografice scrise de către Eric Young (eay@cryptsoft.com) și programe UPnP scrise de către Thomas Bernard. +Acest produs include programe dezvoltate de către Proiectul OpenSSL pentru a fi folosite în OpenSSL Toolkit (http://www.openssl.org/) şi programe criptografice scrise de către Eric Young (eay@cryptsoft.com) şi programe UPnP scrise de către Thomas Bernard. Copyright @@ -29,11 +29,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f The Bitcoin Core developers - Dezvoltatorii Bitcoin Core + Dezvoltatorii Nucleului Bitcoin (%1-bit) - + (%1-bit) @@ -56,11 +56,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Copy - &Copiere + &Copiază C&lose - &Inchidere + Închide &Copy Address @@ -68,11 +68,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Delete the currently selected address from the list - Sterge adresele curent selectate din lista + Şterge adresele curent selectate din listă Export the data in the current tab to a file - Exporta datele din tab-ul curent într-un fișier + Exportă datele din tab-ul curent într-un fişier &Export @@ -80,35 +80,35 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Delete - Ște&rge + Şterge Choose the address to send coins to - Alegeti adresa unde vreti sa trimiteti monezile + Alegeţi adresa unde vreţi să trimiteţi monezile Choose the address to receive coins with - Alegeti adresa unde vreti sa primiti monezile + Alegeţi adresa unde vreţi să primiţi monezile C&hoose - &Alege + &Alegeţi Sending addresses - Adresa Destinatarului + Adresa destinatarului Receiving addresses - Adresa pe care primiti + Adresa de primire These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - Acestea sunt adresele dumneavoastra Bitcoin care pot fi folosite la trimiterea platilor. Verificati totdeauna cantitatea si adresa de primire inainte de a trimite monezi. + Acestea sînt adresele dumneavoastră Bitcoin pentru efectuarea plăţilor. Verificaţi întotdeauna cantitatea şi adresa de primire înainte de a trimite monezi. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - Acestea sunt adresele dumneavoastra Bitcoin folosite pentru a primi plati. Este recomandat sa folositi cate o adresa noua de primire pentru fiecare tranzactie in parte. + Acestea sînt adresele dumneavoastră Bitcoin folosite pentru a primi plati. Este recomandat să folosiţi o adresă nouă de primire pentru fiecare tranzacţie în parte. Copy &Label @@ -116,23 +116,23 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Edit - &Editează + &Editare Export Address List - Exportati Agenda + Exportă listă de adrese Comma separated file (*.csv) - Valori separate prin virgulă (*.csv) + Fişier text cu valori separate prin virgulă (*.csv) Exporting Failed - Exportare esuata + Export nereuşit There was an error trying to save the address list to %1. - A apărut o eroare încercând să se salveze lista de adrese la %1. + A apărut o eroare la salvarea listei de adrese la %1. @@ -158,7 +158,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Enter passphrase - Introdu fraza de acces + Introduceţi fraza de acces New passphrase @@ -166,59 +166,59 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Repeat new passphrase - Repetă noua frază de acces + Repetaţi noua frază de acces Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Introdu noua parolă a portofelului electronic.<br/>Te rog folosește <b>minim 10 caractere aleatoare</b>, sau <b>minim 8 cuvinte</b>. + Introduceţi noua parolă a portofelului electronic.<br/>Vă rugăm folosiţi <b>minim 10 caractere aleatoare</b>, sau <b>minim 8 cuvinte</b>. Encrypt wallet - Criptează portofelul + Criptare portofel This operation needs your wallet passphrase to unlock the wallet. - Această acțiune necesită fraza ta de acces pentru deblocarea portofelului. + Această acţiune necesită fraza dvs. de acces pentru deblocarea portofelului. Unlock wallet - Deblochează portofelul + Deblocare portofel This operation needs your wallet passphrase to decrypt the wallet. - Această acțiune necesită fraza ta de acces pentru decriptarea portofelului. + Această acţiune necesită fraza dvs. de acces pentru decriptarea portofelului. Decrypt wallet - Decriptează portofelul. + Decriptare portofel Change passphrase - Schimbă fraza de acces + Schimbare frază de acces Enter the old and new passphrase to the wallet. - Introdu vechea și noua parolă pentru portofel. + Introduceţi vechea şi noua parolă pentru portofel. Confirm wallet encryption - Confirmă criptarea portofelului + Confirmaţi criptarea portofelului Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - Atenție: Dacă pierdeţi parola portofelului electronic dupa criptare, <b>VEŢI PIERDE ÎNTREAGA SUMĂ DE BITCOIN ACUMULATĂ</b>! + Atenţie: Dacă pierdeţi parola portofelului electronic după criptare, <b>VEŢI PIERDE ÎNTREAGA SUMĂ DE BITCOIN ACUMULATĂ</b>! Are you sure you wish to encrypt your wallet? - Sunteţi sigur că doriţi să criptaţi portofelul electronic? + Sigur doriţi să criptaţi portofelul dvs.? IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - IMPORTANT: Orice copie de siguranta facuta in prealabil portofelului dumneavoastra ar trebui inlocuita cu cea generata cel mai recent fisier criptat al portofelului. Pentru siguranta, copiile de siguranta vechi ale portofelului ne-criptat vor deveni inutile de indata ce veti incepe folosirea noului fisier criptat al portofelului. + IMPORTANT: Orice copie de siguranţă făcută anterior portofelului dumneavoastră ar trebui înlocuită cu cea generată cel mai recent, fişier criptat al portofelului. Pentru siguranţă, copiile de siguranţă vechi ale portofelului ne-criptat vor deveni inutile imediat ce veţi începe folosirea noului fişier criptat al portofelului. Warning: The Caps Lock key is on! - Atentie! Caps Lock este pornit + Atenţie! Caps Lock este pornit! Wallet encrypted @@ -226,15 +226,15 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Bitcoin se va închide acum pentru a termina procesul de criptare. Ține minte că criptarea portofelului nu te poate proteja în totalitate de furtul monedelor de către programe dăunătoare care îți infectează calculatorul. + Bitcoin se va închide acum pentru a termina procesul de criptare. Ţineţi minte că criptarea portofelului nu vă poate proteja în totalitate de furtul monedelor de către programe dăunătoare care vă infectează calculatorul. Wallet encryption failed - Criptarea portofelului a eșuat + Criptarea portofelului nu a reuşit Wallet encryption failed due to an internal error. Your wallet was not encrypted. - Criptarea portofelului a eșuat din cauza unei erori interne. Portofelul tău nu a fost criptat. + Criptarea portofelului nu a reuşit din cauza unei erori interne. Portofelul dvs. nu a fost criptat. The supplied passphrases do not match. @@ -242,7 +242,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Wallet unlock failed - Deblocarea portofelului a eșuat + Deblocarea portofelului nu a reuşit The passphrase entered for the wallet decryption was incorrect. @@ -250,7 +250,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Wallet decryption failed - Decriptarea portofelului a eșuat + Decriptarea portofelului nu a reuşit Wallet passphrase was successfully changed. @@ -265,7 +265,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Synchronizing with network... - Se sincronizează cu rețeaua... + Se sincronizează cu reţeaua... &Overview @@ -281,23 +281,23 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Transactions - &Tranzacții + &Tranzacţii Browse transaction history - Răsfoiește istoricul tranzacțiilor + Răsfoire istoric tranzacţii E&xit - &Ieșire + Ieşire Quit application - Închide aplicația + Închide aplicaţia Show information about Bitcoin - Arată informații despre Bitcoin + Arată informaţii despre Bitcoin About &Qt @@ -305,19 +305,19 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Show information about Qt - Arată informații despre Qt + Arată informaţii despre Qt &Options... - &Setări... + &Opţiuni... &Encrypt Wallet... - Criptează portofelul electronic... + Cript&ează portofelul... &Backup Wallet... - &Fă o copie de siguranță a portofelului... + Face o copie de siguranţă a portofelului... &Change Passphrase... @@ -325,19 +325,19 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Sending addresses... - + Adrese de trimitere... &Receiving addresses... - + Adrese de p&rimire... Open &URI... - Vizitaţi &URI... + Deschide &URI... Importing blocks from disk... - Importare blocks de pe disk... + Import blocuri de pe disk... Reindexing blocks on disk... @@ -349,11 +349,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Modify configuration options for Bitcoin - Modifică opțiunile de configurare pentru Bitcoin + Modifică opţiunile de configurare pentru Bitcoin Backup wallet to another location - Creează o copie de rezervă a portofelului într-o locație diferită + Creează o copie de rezervă a portofelului într-o locaţie diferită Change the passphrase used for wallet encryption @@ -361,15 +361,15 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f &Debug window - Fereastră &debug + Fereastra de &depanare Open debugging and diagnostic console - Deschide consola de debug și diagnosticare + Deschide consola de depanare şi diagnosticare &Verify message... - &Verifică mesajul... + &Verifică mesaj... Bitcoin @@ -377,19 +377,19 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Wallet - Portofelul + Portofel &Send - &Trimite + Trimite &Receive - &Primește + P&rimeşte &Show / Hide - Arata/Ascunde + Arată/Ascunde Show or hide the main Window @@ -397,19 +397,19 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Encrypt the private keys that belong to your wallet - Criptează cheile private ale portofelului tău + Criptează cheile private ale portofelului dvs. Sign messages with your Bitcoin addresses to prove you own them - Semnează mesaje cu adresa ta Bitcoin pentru a dovedi că îți aparțin + Semnaţi mesaje cu adresa dvs. Bitcoin pentru a dovedi că vă aparţin Verify messages to ensure they were signed with specified Bitcoin addresses - Verifică mesaje pentru a te asigura că au fost semnate cu adresa Bitcoin specificată + Verificaţi mesaje pentru a vă asigura că au fost semnate cu adresa Bitcoin specificată &File - &Fișier + &Fişier &Settings @@ -421,7 +421,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Tabs toolbar - Bara de file + Bara de unelte [testnet] @@ -429,11 +429,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Bitcoin Core - Bitcoin Core + Nucleul Bitcoin Request payments (generates QR codes and bitcoin: URIs) - Cereti plati (genereaza coduri QR si bitcoin-uri: URls) + Cereţi plăţi (generează coduri QR şi bitcoin-uri: URls) &About Bitcoin Core @@ -441,23 +441,23 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Show the list of used sending addresses and labels - Aratati lista de adrese trimise si etichete folosite. + Arată lista de adrese trimise şi etichetele folosite. Show the list of used receiving addresses and labels - Aratati lista de adrese pentru primire si etichete + Arată lista de adrese pentru primire şi etichetele Open a bitcoin: URI or payment request - Deschideti un bitcoin: o adresa URI sau o cerere de plata + Deschidere bitcoin: o adresa URI sau o cerere de plată &Command-line options - Command-line setări + Opţiuni linie de &comandă Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Arată mesajul de ajutor Bitcoin Core pentru a obţine o listă cu opţiunile posibile de linii de comandă Bitcoin Bitcoin client @@ -465,19 +465,19 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f %n active connection(s) to Bitcoin network - %n conexiune activă către rețeaua Bitcoin%n conexiuni active către rețeaua Bitcoin%n de conexiuni active către rețeaua Bitcoin + %n conexiune activă către reţeaua Bitcoin%n conexiuni active către reţeaua Bitcoin%n de conexiuni active către reţeaua Bitcoin No block source available... - Nici o sursă de bloc disponibil ... + Nici o sursă de bloc disponibilă... Processed %1 of %2 (estimated) blocks of transaction history. - S-a procesat %1 din %2 block-uri (estimate) din istoria tranzactiei. + S-au procesat %1 din %2 blocuri (estimate) din istoricul tranzacţiilor. Processed %1 blocks of transaction history. - S-au procesat %1 blocuri din istoricul tranzacțiilor. + S-au procesat %1 blocuri din istoricul tranzacţiilor. %n hour(s) @@ -485,7 +485,7 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f %n day(s) - %n zi%n zile%n zile + %n zi%n zile%n de zile %n week(s) @@ -493,11 +493,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f %1 and %2 - %1 si %2 + %1 şi %2 %n year(s) - + %n an%n ani%n de ani %1 behind @@ -505,11 +505,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Last received block was generated %1 ago. - Ultimul bloc recepționat a fost generat acum %1. + Ultimul bloc recepţionat a fost generat acum %1. Transactions after this will not yet be visible. - Tranzacții după aceasta nu va fi încă disponibile. + Tranzacţiile după aceasta nu vor fi vizibile încă. Error @@ -517,11 +517,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Warning - Avertizare + Avertisment Information - Informație + Informaţie Up to date @@ -533,11 +533,11 @@ Acest produs include programe dezvoltate de către OpenSSL Project pentru a fi f Sent transaction - Tranzacție expediată + Tranzacţie expediată Incoming transaction - Tranzacție recepționată + Tranzacţie recepţionată Date: %1 @@ -553,29 +553,29 @@ Adresa: %4 Wallet is <b>encrypted</b> and currently <b>unlocked</b> - Portofelul este <b>criptat</b> iar în momentul de față este <b>deblocat</b> + Portofelul este <b>criptat</b> iar în momentul de faţă este <b>deblocat</b> Wallet is <b>encrypted</b> and currently <b>locked</b> - Portofelul este <b>criptat</b> iar în momentul de față este <b>blocat</b> + Portofelul este <b>criptat</b> iar în momentul de faţă este <b>blocat</b> A fatal error occurred. Bitcoin can no longer continue safely and will quit. - A survenit o eroare fatala. Bitcoin nu mai poate continua in siguranta si se va opri. + A survenit o eroare fatală. Bitcoin nu mai poate continua în siguranţă şi se va opri. ClientModel Network Alert - Alertă rețea + Alertă reţea CoinControlDialog Coin Control Address Selection - Selectare Adresă de Comandă Monedă + Selectare adresă de control monedă Quantity: @@ -595,15 +595,15 @@ Adresa: %4 Fee: - Taxa: + Taxă: Low Output: - Ieşire minimă: + Ieşire minimă: After Fee: - După taxe: + După taxă: Change: @@ -611,15 +611,15 @@ Adresa: %4 (un)select all - (de)selectaţi tot + (de)selectare tot Tree mode - Modul arborescent + Mod arbore List mode - Modul lista + Mod listă Amount @@ -659,47 +659,47 @@ Adresa: %4 Copy transaction ID - Copiază ID tranzacție + Copiază ID tranzacţie Lock unspent - Blocaţi necheltuite + Blocare necheltuiţi Unlock unspent - Deblocaţi necheltuite + Deblocare necheltuiţi Copy quantity - Copiaţi quantitea + Copiază cantitea Copy fee - Copiaţi taxele + Copiază taxa Copy after fee - Copiaţi după taxe + Copiază după taxă Copy bytes - Copiaţi octeţi + Copiază octeţi Copy priority - Copiaţi prioritatea + Copiază prioritatea Copy low output - Copiaţi ieşire minimă: + Copiază ieşirea minimă Copy change - Copiaţi schimb + Copiază rest highest - cel mai mare + cea mai mare higher @@ -711,31 +711,27 @@ Adresa: %4 medium-high - marime medie + medie-mare medium - mediu + medie low-medium - mediu-scazut + medie-scăzută low - scazut + scazută lower - mai scazut + mai scăzută lowest - cel mai scazut - - - (%1 locked) - (1% blocat) + cea mai scăzută none @@ -755,39 +751,23 @@ Adresa: %4 This label turns red, if the transaction size is greater than 1000 bytes. - Această etichetă devine roşie, în cazul în care dimensiunea tranzacţiei este mai mare de 1000 de octeţi. - - - This means a fee of at least %1 per kB is required. - Aceasta înseamnă o taxă de cel puţin 1% pe kB necesar. + Această etichetă devine roşie, în cazul în care dimensiunea tranzacţiei este mai mare de 1000 de octeţi. Can vary +/- 1 byte per input. - Poate varia +/- 1 octet pentru fiecare intrare. + Poate varia +/- 1 octet pentru fiecare intrare. Transactions with higher priority are more likely to get included into a block. - Tranzacţiile cu prioritate mai mare sunt mai susceptibile de fi incluse într-un bloc. - - - This label turns red, if the priority is smaller than "medium". - Aceasta eticheta se face rosie daca prioritatea e mai mica decat media - - - This label turns red, if any recipient receives an amount smaller than %1. - Această etichetă devine roşie, dacă orice beneficiar primeşte o sumă mai mică decât 1. + Tranzacţiile cu prioritate mai mare sînt mai susceptibile de fi incluse într-un bloc. - This means a fee of at least %1 is required. - Aceasta înseamnă că o taxă de cel puţin 1% este necesară. + This label turns red, if the priority is smaller than "medium". + Această etichetă devine roşie dacă prioritatea e mai mică decît "medie". Amounts below 0.546 times the minimum relay fee are shown as dust. - Sume sub 0,546 ori taxa minima sunt indicate ca ignorate. - - - This label turns red, if the change is smaller than %1. - Această etichetă devine roşie, dacă schimbul e mai mic de 1%. + Sumele sub 0,546 ori taxa minima sînt indicate ca praf. (no label) @@ -795,11 +775,11 @@ Adresa: %4 change from %1 (%2) - + restul de la %1 (%2) (change) - (schimb) + (rest) @@ -814,11 +794,11 @@ Adresa: %4 The label associated with this address list entry - Etichetele asociate cu aceasta intrare din lista. + Eticheta asociată cu această intrare din listă. The address associated with this address list entry. This can only be modified for sending addresses. - Adresa asociata cu aceasta adresa din lista. Aceasta poate fi modificata doar pentru Destinatari. + Adresa asociată cu această adresă din listă. Aceasta poate fi modificată doar pentru adresele de trimitere. &Address @@ -841,12 +821,12 @@ Adresa: %4 Editează adresa de trimitere - The entered address "%1" is already in the address book. - Adresa introdusă "%1" se află deja în lista de adrese. + The entered address "%1" is already in the address book. + Adresa introdusă "%1" se află deja în lista de adrese. - The entered address "%1" is not a valid Bitcoin address. - Adresa introdusă "%1" nu este o adresă bitcoin validă. + The entered address "%1" is not a valid Bitcoin address. + Adresa introdusă "%1" nu este o adresă bitcoin validă. Could not unlock wallet. @@ -854,7 +834,7 @@ Adresa: %4 New key generation failed. - Generarea noii chei a eșuat. + Generarea noii chei nu a reuşit. @@ -869,11 +849,11 @@ Adresa: %4 Directory already exists. Add %1 if you intend to create a new directory here. - Dosarul deja există. Adaugă %1 dacă intenționezi să creezi un nou dosar aici. + Dosarul deja există. Adaugă %1 dacă intenţionaţi să creaţi un nou dosar aici. Path already exists, and is not a directory. - Calea deja există și nu este un dosar. + Calea deja există şi nu este un dosar. Cannot create data directory here. @@ -884,11 +864,11 @@ Adresa: %4 HelpMessageDialog Bitcoin Core - Command-line options - Bitcoin Core - Opţiuni Linie de comandă + Nucleu Bitcoin - Opţiuni linie de comandă Bitcoin Core - Bitcoin Core + Nucleul Bitcoin version @@ -900,27 +880,27 @@ Adresa: %4 command-line options - command-line setări + Opţiuni linie de comandă UI options - UI setări + Opţiuni UI - Set language, for example "de_DE" (default: system locale) - Seteaza limba, de exemplu: "de_DE" (initialt: system locale) + Set language, for example "de_DE" (default: system locale) + Setează limba, de exemplu: "de_DE" (implicit: sistem local) Start minimized - Incepe miniaturizare + Începe minimizat Set SSL root certificates for payment request (default: -system-) - + Setare rădăcină certificat SSL pentru cerere de plată (implicit: -sistem- ) Show splash screen on startup (default: 1) - Afișează pe ecran splash la pornire (implicit: 1) + Afişează pe ecran splash la pornire (implicit: 1) Choose data directory on startup (default: 0) @@ -935,31 +915,27 @@ Adresa: %4 Welcome to Bitcoin Core. - Bine Aţi Venit la Nucleul Bitcoin. + Bine aţi venit la Nucleul Bitcoin. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - Dacă aceasta este prima dată când programul este lansat, puteţi alege unde Nucleul Bitcoin va stoca datele. - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - Nucleul Bitcoin Core se va descărca şi va stoca o copie a lanţului blocului Bitcoin. Cel puţin 1GB de date vor fi stocate in acest dosar şi se va dezvolta în timp. Portofelul va fi, de asemenea, stocat în acest dosar. + Dacă aceasta este prima dată cînd programul este lansat, puteţi alege unde Nucleul Bitcoin va stoca datele. Use the default data directory - Folosește dosarul de date implicit + Foloseşte dosarul de date implicit Use a custom data directory: - Folosește un dosar de date personalizat: + Foloseşte un dosar de date personalizat: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - Eroare: Directorul datelor specificate "%1" nu poate fi creat. + Error: Specified data directory "%1" can not be created. + Eroare: Directorul datelor specificate "%1" nu poate fi creat. Error @@ -967,7 +943,7 @@ Adresa: %4 GB of free space available - GB de spațiu liber disponibil + GB de spaţiu liber disponibil (of %1GB needed) @@ -978,7 +954,7 @@ Adresa: %4 OpenURIDialog Open URI - Deschideti adresa URI + Deschide URI Open payment request from URI or file @@ -986,46 +962,46 @@ Adresa: %4 URI: - adresa URI: + URI: Select payment request file - Selectaţi fişierul de cerere de plată + Selectaţi fişierul cerere de plată Select payment request file to open - Selectaţi fişierul de cerere de plată de deschis + Selectaţi fişierul cerere de plată pentru deschidere OptionsDialog Options - Setări + Opţiuni &Main - &Principal + Principal Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Taxa optionala de tranzactie per kB care ajuta ca tranzactiile dumneavoastra sa fie procesate rapid. Majoritatea tranzactiilor sunt 1 kB. + Taxa opţională de tranzacţie per kB care ajută ca tranzacţiile dumneavoastră să fie procesate rapid. Majoritatea tranzacţiilor sînt 1 kB. Pay transaction &fee - Plăteşte comision pentru tranzacţie &f + Plăteşte comision pentru tranzacţie Automatically start Bitcoin after logging in to the system. - Porneşte automat programul Bitcoin la pornirea computerului. + Porneşte automat Bitcoin după pornirea calculatorului. &Start Bitcoin on system login - &S Porneşte Bitcoin la pornirea sistemului + Porneşte Bitcoin la pornirea sistemului Size of &database cache - + Mărimea bazei de &date cache MB @@ -1033,23 +1009,31 @@ Adresa: %4 Number of script &verification threads - + Numărul de thread-uri de &verificare Connect to the Bitcoin network through a SOCKS proxy. - Conecteaza-te la reteaua Bitcoin printr-un proxy SOCKS + Conectare la reţeaua Bitcoin printr-un proxy SOCKS &Connect through SOCKS proxy (default proxy): - + &Conectare printr-un proxy SOCKS (implicit proxy): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + Adresa IP a serverului proxy (de exemplu: IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL-uri terţe părţi (de exemplu, un explorator de bloc), care apar în tab-ul tranzacţiilor ca elemente de meniu contextual. %s în URL este înlocuit cu hash de tranzacţie. URL-urile multiple sînt separate prin bară verticală |. + + + Third party transaction URLs + URL-uri de tranzacţie terţe părţi Active command-line options that override above options: - + Opţiuni linie de comandă active care oprimă opţiunile de mai sus: Reset all client options to default. @@ -1057,43 +1041,43 @@ Adresa: %4 &Reset Options - &Resetează opțiunile + &Resetează opţiunile &Network - &Retea + Reţea (0 = auto, <0 = leave that many cores free) - + (0 = automat, <0 = lasă atîtea nuclee libere) W&allet - + Portofel Expert - expert + Expert Enable coin &control features - + Activare caracteristici de control ale monedei If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Dacă dezactivaţi cheltuirea restului neconfirmat, restul dintr-o tranzacţie nu poate fi folosit pînă cînd tranzacţia are cel puţin o confirmare. Aceasta afectează de asemenea calcularea soldului. &Spend unconfirmed change - + Cheltuire rest neconfirmat Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - Deschide automat în router portul aferent clientului Bitcoin. Funcţionează doar în cazul în care routerul e compatibil UPnP şi opţiunea e activată. + Deschide automat în router portul aferent clientului Bitcoin. Funcţionează doar dacă routerul duportă UPnP şi e activat. Map port using &UPnP - Mapeaza portul folosind &UPnP + Mapare port folosind &UPnP Proxy &IP: @@ -1105,35 +1089,35 @@ Adresa: %4 Port of the proxy (e.g. 9050) - Portul pe care se concetează proxy serverul (de exemplu: 9050) + Portul proxy (de exemplu: 9050) SOCKS &Version: - SOCKS &Versiune: + &Versiune SOCKS: SOCKS version of the proxy (e.g. 5) - Versiunea SOCKS a proxiului (ex. 5) + Versiunea SOCKS a proxy-ului (ex. 5) &Window - &Fereastra + &Fereastră Show only a tray icon after minimizing the window. - Afişează doar un icon in tray la ascunderea ferestrei + Arată doar un icon în tray la ascunderea ferestrei &Minimize to the tray instead of the taskbar - &M Ascunde în tray în loc de taskbar + &Minimizare în tray în loc de taskbar Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - Ascunde fereastra în locul părăsirii programului în momentul închiderii ferestrei. Când acestă opţiune e activă, aplicaţia se va opri doar în momentul selectării comenzii Quit din menu. + Ascunde fereastra în locul părăsirii programului în momentul închiderii ferestrei. Cînd acestă opţiune e activă, aplicaţia se va opri doar în momentul selectării comenzii 'Închide aplicaţia' din menu. M&inimize on close - &i Ascunde fereastra în locul închiderii programului + M&inimizare fereastră în locul închiderii programului &Display @@ -1141,11 +1125,11 @@ Adresa: %4 User Interface &language: - Interfata & limba userului + &Limbă interfaţă utilizator The user interface language can be set here. This setting will take effect after restarting Bitcoin. - Limba interfeței utilizatorului poate fi setat aici. Această setare va avea efect după repornirea Bitcoin. + Limba interfeţei utilizatorului poate fi setată aici. Această setare va avea efect după repornirea Bitcoin. &Unit to show amounts in: @@ -1153,31 +1137,31 @@ Adresa: %4 Choose the default subdivision unit to show in the interface and when sending coins. - Alege subdiviziunea folosită la afişarea interfeţei şi la trimiterea de bitcoin. + Alegeţi subdiviziunea folosită la afişarea interfeţei şi la trimiterea de bitcoin. Whether to show Bitcoin addresses in the transaction list or not. - Vezi dacă adresele Bitcoin sunt în lista de tranzacție sau nu + Arată adresele Bitcoin sînt în lista de tranzacţii sau nu &Display addresses in transaction list - &Afişează adresele în lista de tranzacţii + Afişează adresele în lista de tranzacţii Whether to show coin control features or not. - Dacă să se afişeze controlul caracteristicilor monedei sau nu. + Arată controlul caracteristicilor monedei sau nu. &OK - & OK + &OK &Cancel - & Renunta + Renunţă default - Initial + iniţial none @@ -1185,11 +1169,11 @@ Adresa: %4 Confirm options reset - Confirmă resetarea opțiunilor + Confirmă resetarea opţiunilor Client restart required to activate changes. - Este necesar un restart al clientului pentru a activa schimbările. + Este necesară repornirea clientului pentru a activa schimbările. Client will be shutdown, do you want to proceed? @@ -1197,11 +1181,11 @@ Adresa: %4 This change would require a client restart. - Această schimbare va necesita un restart al clientului. + Această schimbare necesită o repornire a clientului. The supplied proxy address is invalid. - Adresa bitcoin pe care a-ti specificat-o este invalida + Adresa bitcoin pe care aţi specificat-o nu este validă. @@ -1212,7 +1196,7 @@ Adresa: %4 The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - Informațiile afișate pot neactualizate. Portofelul tău se sincronizează automat cu rețeaua Bitcoin după ce o conexiune este stabilită, dar acest proces nu a fost finalizat încă. + Informaţiile afişate pot fi neactualizate. Portofelul dvs. se sincronizează automat cu reţeaua Bitcoin după ce o conexiune este stabilită, dar acest proces nu a fost finalizat încă. Wallet @@ -1224,7 +1208,7 @@ Adresa: %4 Your current spendable balance - Balanța ta curentă de cheltuieli + Balanţa dvs. curentă de cheltuieli Pending: @@ -1232,7 +1216,7 @@ Adresa: %4 Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - Totalul tranzacțiilor care nu sunt confirmate încă și care nu sunt încă adunate la balanța de cheltuieli + Totalul tranzacţiilor care nu sunt confirmate încă şi care nu sunt încă adunate la balanţa de cheltuieli Immature: @@ -1240,7 +1224,7 @@ Adresa: %4 Mined balance that has not yet matured - Balanta minata care nu s-a maturizat inca + Balanţa minertită care nu s-a maturizat încă Total: @@ -1248,15 +1232,15 @@ Adresa: %4 Your current total balance - Balanța totală curentă + Balanţa totală curentă <b>Recent transactions</b> - <b>Tranzacții recente</b> + <b>Tranzacţii recente</b> out of sync - Nu este sincronizat + nesincronizat @@ -1267,11 +1251,11 @@ Adresa: %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - URI nu poate fi analizat! Acest lucru poate fi cauzat de o adresa Bitcoin invalida sau parametri deformati URI. + URI nu poate fi analizat! Acest lucru poate fi cauzat de o adresă Bitcoin nevalidă sau parametri URI deformaţi. Requested payment amount of %1 is too small (considered dust). - Cereti plata cu suma de %1 este prea mica (considerata praf) + Suma cerută de plată de %1 este prea mică (considerată praf). Payment request error @@ -1279,35 +1263,35 @@ Adresa: %4 Cannot start bitcoin: click-to-pay handler - Nu poate porni bitcoin: regula clic-pentru-plata + Nu poate porni bitcoin: manipulator clic-pentru-plată Net manager warning - + Avertisment manager reţea - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Proxy-ul dvs. activ nu suportă SOCKS5, care este necesar pentru cererile de plată via proxy. Payment request fetch URL is invalid: %1 - + URL-ul cererii de plată preluat nu este valid: %1 Payment request file handling - + Manipulare fişier cerere de plată Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + Fişierul cerere de plată nu poate fi citit sau procesat! Cauza poate fi un fişier cerere de plată nevalid. Unverified payment requests to custom payment scripts are unsupported. - Cereri de plată neverificate prin script-uri personalizate de plată nu sunt suportate. + Cererile de plată neverificate prin script-uri personalizate de plată nu sînt suportate. Refund from %1 - rambursare de la %1 + Rambursare de la %1 Error communicating with %1: %2 @@ -1315,11 +1299,11 @@ Adresa: %4 Payment request can not be parsed or processed! - + Cererea de plată nu poate fi analizată sau procesată! Bad response from server %1 - Răspuns greșit de la server %1 + Răspuns greşit de la server %1 Payment acknowledged @@ -1327,7 +1311,7 @@ Adresa: %4 Network request error - Eroare în cererea de rețea + Eroare în cererea de reţea @@ -1337,35 +1321,35 @@ Adresa: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Eroare: Directorul datelor specificate "%1" nu exista. + Error: Specified data directory "%1" does not exist. + Eroare: Directorul datelor specificate "%1" nu există. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Eroare: Nu se poate analiza fişierul de configuraţie: %1. Folosiţi doar sintaxa cheie=valoare. Error: Invalid combination of -regtest and -testnet. - Eroare: combinație nevalidă de -regtest și -testnet. + Eroare: combinaţie nevalidă de -regtest şi -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Nucelul Bitcoin nu s-a închis în siguranţă... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Introdu o adresă Bitcoin (de exemplu: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Introduceţi o adresă Bitcoin (de exemplu: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) QRImageWidget &Save Image... - Salvarea imaginii ... + &Salvează imagine... &Copy Image - Copierea imaginii + &Copiază imaginea Save QR Code @@ -1384,7 +1368,7 @@ Adresa: %4 N/A - N/A + indisponibil Client version @@ -1392,7 +1376,7 @@ Adresa: %4 &Information - &Informație + &Informaţii Debug window @@ -1404,7 +1388,7 @@ Adresa: %4 Using OpenSSL version - Foloseste versiunea OpenSSL + Foloseşte OpenSSL versiunea Startup time @@ -1412,11 +1396,11 @@ Adresa: %4 Network - Rețea + Reţea Name - Numele + Nume Number of connections @@ -1424,7 +1408,7 @@ Adresa: %4 Block chain - Lanț de blocuri + Lanţ de blocuri Current number of blocks @@ -1448,11 +1432,11 @@ Adresa: %4 &Network Traffic - Traficul in rețea + Trafic reţea &Clear - &Ştergeţi + &Curăţă Totals @@ -1460,11 +1444,11 @@ Adresa: %4 In: - în: + Intrare: Out: - Ieșire. + Ieşire: Build date @@ -1472,27 +1456,27 @@ Adresa: %4 Debug log file - Loguri debug + Fişier jurnal depanare Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - Deschide logurile debug din directorul curent. Aceasta poate dura cateva secunde pentru fisierele mai mari + Deschide fişierul jurnal depanare din directorul curent. Aceasta poate dura cîteva secunde pentru fişierele mai mari. Clear console - Curăță consola + Curăţă consola Welcome to the Bitcoin RPC console. - Bun venit la consola bitcoin RPC + Bun venit la consola bitcoin RPC. Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - Foloseste sagetile sus si jos pentru a naviga in istoric si <b>Ctrl-L</b> pentru a curata. + Folosiţi săgetile sus şi jos pentru a naviga în istoric şi <b>Ctrl-L</b> pentru a curăţa. Type <b>help</b> for an overview of available commands. - Scrie <b>help</b> pentru a vedea comenzile disponibile + Scrieţi <b>help</b> pentru a vedea comenzile disponibile. %1 B @@ -1520,14 +1504,14 @@ Adresa: %4 %1 h %2 m - %1 ora %2 minute + %1 oră %2 minute ReceiveCoinsDialog &Amount: - & suma: + Sum&a: &Label: @@ -1535,51 +1519,51 @@ Adresa: %4 &Message: - & mesaj: + &Mesaj: Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - Refolositi una din adresele de primire folosite in prealabil. Refolosirea adreselor poate crea probleme de securitate si confidentialitate. Nu folositi aceasta optiune decat daca o cerere de regenerare a platii a fost facuta in prealabil. + Refoloseşte una din adresele de primire folosite anterior. Refolosirea adreselor poate crea probleme de securitate şi confidenţialitate. Nu folosiţi această opţiune decît dacă o cerere de regenerare a plăţii a fost făcută anterior. R&euse an existing receiving address (not recommended) - &Refolosirea unei adrese de primire (nu este recomandat) + R&efoloseşte o adresă de primire (nu este recomandat) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Un mesaj opţional de ataşat la cererea de plată, care va fi afişat cînd cererea este deschisă. Notă: Mesajul nu va fi trimis cu plata către reţeaua Bitcoin. An optional label to associate with the new receiving address. - + O etichetă opţională de asociat cu adresa de primire. Use this form to request payments. All fields are <b>optional</b>. - Folosește acest formular pentru a solicita plăți. Toate câmpurile sunt <b>opționale</b>. + Foloseşte acest formular pentru a solicita plăţi. Toate cîmpurile sînt <b>opţionale</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + O sumă opţională de cerut. Lăsaţi gol sau zero pentru a nu cere o sumă anume. Clear all fields of the form. - Stergeti toate campurile formularului + Curăţă toate cîmpurile formularului. Clear - Stergeti + Curăţă Requested payments history - Istoricul platilor a fost cerut + Istoricul plăţilor cerute &Request payment - &Cereti plata + &Cerere plată Show the selected request (does the same as double clicking an entry) - + Arată cererea selectată (acelaşi lucru ca şi dublu-clic pe o înregistrare) Show @@ -1587,11 +1571,11 @@ Adresa: %4 Remove the selected entries from the list - + Înlătură intrările selectate din listă Remove - Elimină + Înlătură Copy label @@ -1599,7 +1583,7 @@ Adresa: %4 Copy message - Copiaţi mesajul + Copiază mesajul Copy amount @@ -1614,27 +1598,27 @@ Adresa: %4 Copy &URI - Copiati &URl + Copiază &URl Copy &Address - Copiati &Adresa + Copiază &adresa &Save Image... - Salvarea imaginii ... + &Salvează imaginea... Request payment to %1 - Cereti plata pentru %1 + Cere plata pentru %1 Payment information - Informatiile platii + Informaţiile plăţii URI - Identificator uniform de resurse + URI Address @@ -1654,7 +1638,7 @@ Adresa: %4 Resulting URI too long, try to reduce the text for label / message. - URI rezultat este prea lung, încearcă să reduci textul pentru etichetă / mesaj. + URI rezultat este prea lung, încearcaţi să reduceţi textul pentru etichetă / mesaj. Error encoding URI into QR Code. @@ -1689,7 +1673,7 @@ Adresa: %4 (no amount) - (suma nulă) + (sumă nulă) @@ -1700,15 +1684,15 @@ Adresa: %4 Coin Control Features - + Caracteristici de control ale monedei Inputs... - Intrări + Intrări... automatically selected - Selectie automatică + Selecţie automată Insufficient funds! @@ -1732,55 +1716,55 @@ Adresa: %4 Fee: - Taxa: + Taxă: Low Output: - Ieşire minimă: + Ieşire minimă: After Fee: - După taxe: + După taxă: Change: - Schimbaţi: + Rest: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Dacă este activat, dar adresa de rest este goală sau nevalidă, restul va fi trimis la o adresă nou generată. Custom change address - + Adresă personalizată de rest Send to multiple recipients at once - Trimite simultan către mai mulți destinatari + Trimite simultan către mai mulţi destinatari Add &Recipient - &Adaugă destinatar + Adaugă destinata&r Clear all fields of the form. - Stergeti toate campurile formularului + Şterge toate cîmpurile formularului. Clear &All - Șterge &tot + Curăţă to&ate Balance: - Balanță: + Balanţă: Confirm the send action - Confirmă operațiunea de trimitere + Confirmă operaţiunea de trimitere S&end - &S Trimite + Trimit&e Confirm send coins @@ -1792,7 +1776,7 @@ Adresa: %4 Copy quantity - Copiaţi quantitea + Copiază cantitea Copy amount @@ -1800,27 +1784,27 @@ Adresa: %4 Copy fee - Copiaţi taxele + Copiază taxa Copy after fee - Copiaţi după taxe + Copiază după taxă Copy bytes - Copiaţi octeţi + Copiază octeţi Copy priority - Copiaţi prioritatea + Copiază prioritatea Copy low output - Copiaţi ieşire minimă: + Copiază ieşirea minimă Copy change - Copiaţi schimb + Copiază rest Total Amount %1 (= %2) @@ -1836,31 +1820,31 @@ Adresa: %4 The amount to pay must be larger than 0. - Suma de plată trebuie să fie mai mare decât 0. + Suma de plată trebuie să fie mai mare decît 0. The amount exceeds your balance. - Suma depășește soldul contului. + Suma depăşeşte soldul contului. The total exceeds your balance when the %1 transaction fee is included. - Totalul depășește soldul contului dacă se include și plata comisionului de %1. + Totalul depăşeşte soldul contului dacă se include şi plata taxei de %1. Duplicate address found, can only send to each address once per send operation. - S-a descoperit o adresă care figurează de două ori. Expedierea se poate realiza către fiecare adresă doar o singură dată pe operațiune. + S-a descoperit o adresă duplicat.Se poate trimite către fiecare adresă doar o singură dată per operaţiune. Transaction creation failed! - Creare de tranzactie nereusita! + Creare tranzacţie nereuşită! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Tranzactia a fost respinsa! Acest lucru se poate intampla daca o parte din monedele tale din portofel au fost deja cheltuite, la fel ca si cum ai fi folosit o copie a wallet.dat si monedele au fost cheltuite in copie, dar nu au fost marcate si si cheltuite si aici. + Tranzacţia a fost respinsă! Acest lucru se poate întîmpla dacă o parte din monedele tale din portofel au fost deja cheltuite, la fel ca şi cum aţi fi folosit o copie a wallet.dat şi monedele au fost cheltuite în copie, dar nu au fost marcate ca şi cheltuite şi aici. Warning: Invalid Bitcoin address - Atentie: Adresa Bitcoin invalida! + Atenţie: Adresa bitcoin nevalidă! (no label) @@ -1868,15 +1852,15 @@ Adresa: %4 Warning: Unknown change address - Atentie: Schimbare de adresa necunoscuta + Atenţie: Adresă de rest necunoscută Are you sure you want to send? - Ești sigur că vrei să trimiți? + Sigur doriţi să trimiteţi? added as transaction fee - adăugat ca taxă de tranzacție + adăugat ca taxă de tranzacţie Payment request expired @@ -1895,7 +1879,7 @@ Adresa: %4 Pay &To: - Plătește că&tre: + Plăteşte că&tre: The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1903,7 +1887,7 @@ Adresa: %4 Enter a label for this address to add it to your address book - Introdu o etichetă pentru această adresă pentru a fi adăugată în lista ta de adrese + Introduceţi o etichetă pentru această adresă pentru a fi adăugată în lista dvs. de adrese &Label: @@ -1911,7 +1895,7 @@ Adresa: %4 Choose previously used address - Alegeti adrese folosite in prealabil. + Alegeţi adrese folosite anterior This is a normal payment. @@ -1923,7 +1907,7 @@ Adresa: %4 Paste address from clipboard - Lipește adresa din clipboard + Lipeşte adresa din clipboard Alt+P @@ -1931,7 +1915,7 @@ Adresa: %4 Remove this entry - Scoate aceasta introducere + Înlătură această intrare Message: @@ -1939,23 +1923,23 @@ Adresa: %4 This is a verified payment request. - Aceasta este o cerere de plata verificata + Aceasta este o cerere de plată verificată. Enter a label for this address to add it to the list of used addresses - Introduceti eticheta pentru ca aceasta adresa sa fie introdusa in lista de adrese folosite + Introduceţi eticheta pentru ca această adresa să fie introdusă în lista de adrese folosite A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Un mesaj a fost ataşat la bitcoin: URI care va fi stocat cu tranzacţia pentru referinţa dvs. Notă: Acest mesaj nu va fi trimis către reţeaua bitcoin. This is an unverified payment request. - Aceasta este o cerere de plata neverificata + Aceasta este o cerere de plata neverificată. Pay To: - Plateste catre: + Plăteşte către: Memo: @@ -1966,34 +1950,34 @@ Adresa: %4 ShutdownWindow Bitcoin Core is shutting down... - Bitcoin Core se închide... + Nucleul Bitcoin se închide... Do not shut down the computer until this window disappears. - Nu închide calculatorul până ce această fereastră nu dispare. + Nu închide calculatorul pînă ce această fereastră nu dispare. SignVerifyMessageDialog Signatures - Sign / Verify a Message - Semnatura- Semneaza/verifica un mesaj + Semnaturi - Semnează/verifică un mesaj &Sign Message - Semneaza Mesajul + &Semnează mesaj You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Puteti semna mesaje cu adresa dumneavoastra pentru a demostra ca sunteti proprietarul lor. Aveti grija sa nu semnati nimic vag, deoarece atacurile de tip phishing va pot pacali sa le transferati identitatea. Semnati numai declaratiile detaliate cu care sunteti deacord. + Puteţi semna mesaje cu adresa dvs. pentru a demostra ca sînteti proprietarul lor. Aveţi grijă să nu semnaţi nimic vag, deoarece atacurile de tip phishing vă pot păcăli să le transferaţi identitatea. Semnaţi numai declaraţiile detaliate cu care sînteti de acord. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Introduceţi o adresă Bitcoin (de exemplu: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Adresa cu care semnaţi mesajul (de exemplu: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Choose previously used address - Alegeti adrese folosite in prealabil + Alegeţi adrese folosite anterior Alt+A @@ -2001,7 +1985,7 @@ Adresa: %4 Paste address from clipboard - Lipiţi adresa copiată in clipboard. + Lipeşte adresa copiată din clipboard Alt+P @@ -2009,7 +1993,7 @@ Adresa: %4 Enter the message you want to sign here - Introduce mesajul pe care vrei sa il semnezi, aici. + Introduceţi mesajul pe care vreţi să-l semnaţi, aici Signature @@ -2017,31 +2001,31 @@ Adresa: %4 Copy the current signature to the system clipboard - Copiaza semnatura curenta in clipboard-ul sistemului + Copiază semnatura curentă în clipboard-ul sistemului Sign the message to prove you own this Bitcoin address - Semneaza mesajul pentru a dovedi ca detii acesta adresa Bitcoin + Semnează mesajul pentru a dovedi ca deţineţi acestă adresă Bitcoin Sign &Message - Semnează &Message + Semnează &mesaj Reset all sign message fields - Reseteaza toate spatiile mesajelor semnate. + Resetează toate cîmpurile mesajelor semnate Clear &All - Şterge &tot + Curăţă to&ate &Verify Message - Verifica mesajul + &Verifică mesaj Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Introduceti adresa de semnatura, mesajul (asigurati-va ca ati copiat spatiile, taburile etc. exact) si semnatura dedesubt pentru a verifica mesajul. Aveti grija sa nu cititi mai mult in semnatura decat mesajul in sine, pentru a evita sa fiti pacaliti de un atac de tip man-in-the-middle. + Introduceţi adresa de semnatură, mesajul (asiguraţi-vă că aţi copiat spaţiile, taburile etc. exact) şi semnatura dedesubt pentru a verifica mesajul. Aveţi grijă să nu citiţi mai mult în semnatură decît mesajul în sine, pentru a evita să fiţi păcăliţi de un atac de tip man-in-the-middle. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2049,82 +2033,82 @@ Adresa: %4 Verify the message to ensure it was signed with the specified Bitcoin address - Verifica mesajul pentru a fi sigur ca a fost semnat cu adresa Bitcoin specifica + Verificaţi mesajul pentru a vă asigura că a fost semnat cu adresa Bitcoin specificată Verify &Message - Verifică &Message + Verifică &mesaj Reset all verify message fields - Reseteaza toate spatiile mesajelor semnate. + Resetează toate cîmpurile mesajelor semnate Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Introduceţi o adresă Bitcoin (de exemplu: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Click "Semneaza msajul" pentru a genera semnatura + Click "Sign Message" to generate signature + Faceţi clic pe "Semneaza msaj" pentru a genera semnătura The entered address is invalid. - Adresa introdusa nu este valida + Adresa introdusă nu este validă Please check the address and try again. - Te rugam verifica adresa si introduce-o din nou + Vă rugăm verificaţi adresa şi încercaţi din nou. The entered address does not refer to a key. - Adresa introdusa nu se refera la o cheie. + Adresa introdusă nu se referă la o cheie. Wallet unlock was cancelled. - Blocarea portofelului a fost intrerupta + Blocarea portofelului a fost întreruptă. Private key for the entered address is not available. - Cheia privata pentru adresa introdusa nu este valida. + Cheia privată pentru adresa introdusă nu este validă. Message signing failed. - Semnarea mesajului a esuat + Semnarea mesajului nu a reuşit. Message signed. - Mesaj Semnat! + Mesaj semnat. The signature could not be decoded. - Aceasta semnatura nu a putut fi decodata + Această semnatură nu a putut fi decodată. Please check the signature and try again. - Verifica semnatura si incearca din nou + Vă rugăm verificaţi semnătura şi încercaţi din nou. The signature did not match the message digest. - Semnatura nu seamana! + Semnatura nu se potriveşte cu mesajul. Message verification failed. - Verificarea mesajului a esuat + Verificarea mesajului nu a reuşit. Message verified. - Mesaj verificat + Mesaj verificat. SplashScreen Bitcoin Core - Bitcoin Core + Nucleul Bitcoin The Bitcoin Core developers - Dezvoltatorii Bitcoin Core + Dezvoltatorii Nucleului Bitcoin [testnet] @@ -2142,11 +2126,11 @@ Adresa: %4 TransactionDesc Open until %1 - Deschis până la %1 + Deschis pînă la %1 conflicted - + în conflict %1/offline @@ -2190,7 +2174,7 @@ Adresa: %4 own address - Adresa posedata + adresa proprie label @@ -2206,7 +2190,7 @@ Adresa: %4 not accepted - nu este acceptat + neacceptat Debit @@ -2214,7 +2198,7 @@ Adresa: %4 Transaction fee - Comisionul tranzacţiei + Taxă tranzacţie Net amount @@ -2226,23 +2210,23 @@ Adresa: %4 Comment - Comentarii + Comentariu Transaction ID - ID-ul tranzactiei + ID-ul tranzacţie Merchant Comerciant - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Monezile generate trebuie sa creasca %1 block-uri inainte sa poata fi cheltuite. Cand ati generat acest block, a fost transmis retelei pentru a fi adaugat la lantul de block-uri. Aceasta se poate intampla ocazional daca alt nod genereaza un block la numai cateva secunde de al tau. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Monezile generate trebuie să crească %1 blocuri înainte să poată fi cheltuite. Cînd aţi generat acest bloc, a fost transmis reţelei pentru a fi adaugat la lanţul de blocuri. Aceasta se poate întîmpla ocazional dacă alt nod generează un bloc la numai cîteva secunde de al dvs. Debug information - Informatii pentru debug + Informaţii pentru depanare Transaction @@ -2250,7 +2234,7 @@ Adresa: %4 Inputs - Intrari + Intrări Amount @@ -2258,20 +2242,16 @@ Adresa: %4 true - Adevarat! + adevărat false - Fals! + fals , has not been successfully broadcast yet , nu s-a propagat încă - - Open for %n more block(s) - Deschis pentru încă %1 blocDeschis pentru încă %1 blocuriDeschis pentru încă %1 de blocuri - unknown necunoscut @@ -2281,11 +2261,11 @@ Adresa: %4 TransactionDescDialog Transaction details - Detaliile tranzacției + Detaliile tranzacţiei This pane shows a detailed description of the transaction - Acest panou afișează o descriere detaliată a tranzacției + Acest panou arată o descriere detaliată a tranzacţiei @@ -2296,23 +2276,19 @@ Adresa: %4 Type - Tipul + Tip Address - Adresa + Adresă Amount - Cantitate + Sumă Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - Deschis pentru încă %1 blocDeschis pentru încă %1 blocuriDeschis pentru încă %1 de blocuri + Imatur (%1 confirmări, va fi disponibil după %2) Open until %1 @@ -2324,7 +2300,7 @@ Adresa: %4 This block was not received by any other nodes and will probably not be accepted! - Acest bloc nu a fost recepționat de niciun alt nod și probabil nu va fi acceptat! + Acest bloc nu a fost recepţionat de nici un alt nod şi probabil nu va fi acceptat! Generated but not accepted @@ -2340,15 +2316,15 @@ Adresa: %4 Confirming (%1 of %2 recommended confirmations) - Confirmare (%1 dintre %2 confirmări recomandate) + Confirmare (%1 din %2 confirmări recomandate) Conflicted - + În conflict Received with - Recepționat cu + Recepţionat cu Received from @@ -2360,31 +2336,31 @@ Adresa: %4 Payment to yourself - Plată către tine + Plată către dvs. Mined - Produs + Minerit (n/a) - (n/a) + indisponibil Transaction status. Hover over this field to show number of confirmations. - Starea tranzacției. Treci cu mausul peste acest câmp pentru afișarea numărului de confirmări. + Starea tranzacţiei. Treceţi cu mouse-ul peste acest cîmp pentru afişarea numărului de confirmări. Date and time that the transaction was received. - Data și ora la care a fost recepționată tranzacția. + Data şi ora la care a fost recepţionată tranzacţia. Type of transaction. - Tipul tranzacției. + Tipul tranzacţiei. Destination address of transaction. - Adresa de destinație a tranzacției. + Adresa de destinaţie a tranzacţiei. Amount removed from or added to balance. @@ -2403,7 +2379,7 @@ Adresa: %4 This week - Săptămâna aceasta + Săptămîna aceasta This month @@ -2419,11 +2395,11 @@ Adresa: %4 Range... - Între... + Interval... Received with - Recepționat cu + Recepţionat cu Sent to @@ -2431,11 +2407,11 @@ Adresa: %4 To yourself - Către tine + Către dvs. Mined - Produs + Minerit Other @@ -2443,11 +2419,11 @@ Adresa: %4 Enter address or label to search - Introdu adresa sau eticheta pentru căutare + Introduceţi adresa sau eticheta pentru căutare Min amount - Cantitatea minimă + Suma minimă Copy address @@ -2463,7 +2439,7 @@ Adresa: %4 Copy transaction ID - Copiază ID tranzacție + Copiază ID tranzacţie Edit label @@ -2471,23 +2447,23 @@ Adresa: %4 Show transaction details - Arată detaliile tranzacției + Arată detaliile tranzacţiei Export Transaction History - Exportare Istoric Tranzacţii + Export istoric tranzacţii Exporting Failed - Exportare Eşuată + Export nereuşit There was an error trying to save the transaction history to %1. - S-a produs o eroare încercând să se salveze istoricul tranzacţiilor la %1. + S-a produs o eroare la salvarea istoricului tranzacţiilor la %1. Exporting Successful - Exportare Reuşită + Export reuşit The transaction history was successfully saved to %1. @@ -2495,7 +2471,7 @@ Adresa: %4 Comma separated file (*.csv) - Fișier text cu valori separate prin virgulă (*.csv) + Fişier text cu valori separate prin virgulă (*.csv) Confirmed @@ -2507,7 +2483,7 @@ Adresa: %4 Type - Tipul + Tip Label @@ -2538,29 +2514,29 @@ Adresa: %4 WalletFrame No wallet has been loaded. - Nu a fost încărcat niciun portofel. + Nu a fost încărcat nici un portofel. WalletModel Send Coins - Trimite Bitcoin + Trimitere bitcoin WalletView &Export - &Exportă + &Export Export the data in the current tab to a file - Exporta datele din tab-ul curent într-un fișier + Exportă datele din tab-ul curent într-un fişier Backup Wallet - Fă o copie de siguranță a portofelului + Copie de siguranţă portofel Wallet Data (*.dat) @@ -2568,11 +2544,11 @@ Adresa: %4 Backup Failed - Copia de rezerva a esuat + Copierea de siguranţă nu a reuşit There was an error trying to save the wallet data to %1. - S-a produs o eroare încercând să se salveze datele portofelului la %1. + S-a produs o eroare la salvarea datelor portofelului la %1. The wallet data was successfully saved to %1. @@ -2580,7 +2556,7 @@ Adresa: %4 Backup Successful - Copia de siguranță efectuată cu succes + Copie de siguranţă efectuată cu succes @@ -2599,19 +2575,19 @@ Adresa: %4 Options: - Setări: + Opţiuni: Specify configuration file (default: bitcoin.conf) - Specifică fișierul de configurare (implicit: bitcoin.conf) + Specificaţi fişierul de configurare (implicit: bitcoin.conf) Specify pid file (default: bitcoind.pid) - Specifică fișierul pid (implicit bitcoind.pid) + Specificaţi fişierul pid (implicit bitcoind.pid) Specify data directory - Specifică dosarul de date + Specificaţi dosarul de date Listen for connections on <port> (default: 8333 or testnet: 18333) @@ -2619,27 +2595,27 @@ Adresa: %4 Maintain at most <n> connections to peers (default: 125) - Menține cel mult <n> conexiuni cu partenerii (implicit: 125) + Menţine cel mult <n> conexiuni cu partenerii (implicit: 125) Connect to a node to retrieve peer addresses, and disconnect - Conectează-te la nod pentru a obține adresele partenerilor, și apoi deconectează-te + Se conectează la un nod pentru a obţine adresele partenerilor, şi apoi se deconectează Specify your own public address - Specifică adresa ta publică + Specificaţi adresa dvs. publică Threshold for disconnecting misbehaving peers (default: 100) - Prag pentru deconectarea partenerilor care nu funcționează corect (implicit: 100) + Prag pentru deconectarea partenerilor care nu funcţionează corect (implicit: 100) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Numărul de secunde pentru a preveni reconectarea partenerilor care nu funcționează corect (implicit: 86400) + Numărul de secunde pentru a preveni reconectarea partenerilor care nu funcţionează corect (implicit: 86400) An error occurred while setting up the RPC port %u for listening on IPv4: %s - A intervenit o eroare in timp ce se seta portul RPC %u pentru ascultare pe IPv4: %s + A intervenit o eroare în timp ce se seta portul RPC %u pentru ascultare pe IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) @@ -2647,23 +2623,23 @@ Adresa: %4 Accept command line and JSON-RPC commands - Se acceptă comenzi din linia de comandă și comenzi JSON-RPC + Acceptă comenzi din linia de comandă şi comenzi JSON-RPC Bitcoin Core RPC client version - + Versiunea nucleului clientului Bitcoin RPC Run in the background as a daemon and accept commands - Rulează în fundal ca un demon și acceptă comenzi + Rulează în fundal ca un demon şi acceptă comenzi Use the test network - Utilizează rețeaua de test + Utilizează reţeaua de test Accept connections from outside (default: 1 if no -proxy or -connect) - Acceptă conexiuni din afară (implicit: 1 dacă nu se folosește -proxy sau -connect) + Acceptă conexiuni din afară (implicit: 1 dacă nu se foloseşte -proxy sau -connect) %s, you must set a rpcpassword in the configuration file: @@ -2675,18 +2651,18 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - %s trebuie sa setezi o parola rpc in fisierul de configurare + %s trebuie să setaţi o parolă rpc în fişierul de configurare %s -Este recomandat sa folosesti aceasta parola aleatorie: +Este recomandat să folosiţi această parolă aleatoare: rpcuser=bitcoinrpc parola rpc=%s -(nu este necesar ca sa iti amintesti aceasta parola) -Numele de utilizator si parola NU trebuie sa fie la fel. -Daca fisierul nu exista, creaza-l cu fisier de citit permis doar proprietarului. -Este de asemenea recomandat sa setezi alerta de notificare ca sa primesti notificari ale problemelor; -spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo.com +(nu este necesar ca să vă amintiţi această parolă) +Numele de utilizator şi parola NU trebuie să fie la fel. +Dacă fişierul nu există, crează-l cu ca fişier cu permisiune de citit doar proprietar. +Este de asemenea recomandat să setaţi alerta de notificare ca să primiţi notificări ale problemelor; +spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@foo.com @@ -2696,71 +2672,71 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - A intervenit o eroare in timp ce se seta portul RPC %u pentru ascultare pe IPv6, reintoarcere la IPv4: %s + A intervenit o eroare în timp ce se seta portul RPC %u pentru ascultare pe IPv6, reîntoarcere la IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Atasati adresei date si ascultati totdeauna pe ea. Folositi [host]:port notatia pentru IPv6 + Ataşaţi adresei date şi ascultaţi totdeauna pe ea. Folosiţi notaţia [host]:port pentru IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Limitează continuu tranzacţiile gratuite la <n>*1000 octeţi per minut (implicit:15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Initiati modul de test al regresie, care foloseste un lant special in care block-urile pot fi rezolvate instantaneu. Acest lucru este facut pentru utilitare si aplicatii de dezvoltare pentru testarea regresiei. + Iniţiază modul de test regresie, care foloseşte un lanţ special în care blocurile pot fi rezolvate instantaneu. Acest lucru este făcut pentru utilitare şi aplicaţii de dezvoltare pentru testarea regresiei. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Iniţiază modul de test regresie, care foloseşte un lanţ special în care blocurile pot fi rezolvate instantaneu. Error: Listening for incoming connections failed (listen returned error %d) - + Eroare: Ascultarea conexiunilor de intrare nu a reuşit (ascultarea a reurnat eroarea %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Eroare: Tranzactia a fost respinsa! Acest lucru se poate intampla daca anumite monezi din portofelul dumneavoastra au fost deja cheltuite, deasemenea daca ati folosit o copie a fisierului wallet.dat si monezile au fost folosite in acea copie dar nu au fost marcate ca fiind folosite acolo. + Eroare: Tranzacţia a fost respinsă! Acest lucru se poate întîmpla dacă anumite monezi din portofelul dumneavoastră au fost deja cheltuite, de asemenea dacă aţi folosit o copie a fişierului wallet.dat şi monezile au fost folosite în acea copie dar nu au fost marcate ca şi cheltuite şi aici. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Eroare: Aceasta tranzactie necesita o taxa de cel putin %s din cauza sumei, complexitatii sau folosirii fondurilor recent primite! + Eroare: Această tranzacţie necesită o taxă de cel putin %s din cauza sumei, complexităţii sau folosirii fondurilor recent primite! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Executati comanda cand o tranzactie a portofelului se schimba (%s in cmd este inlocuit de TxID) + Execută comanda cînd o tranzacţie a portofelului se schimbă (%s în cmd este înlocuit de TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: - Taxe mai mici decat aceasta suma sunt considerate taxe nule (pentru crearea tranzactiilor) (pentru nespecificare: + Taxe mai mici decît aceasta sumă sînt considerate taxe nule (pentru crearea tranzacţiilor) (implicit: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Goleşte baza de date a activităţii din memoria pool în jurnal pe disc la fiecare <n> megaocteţi (implicit: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Cît de minuţioasă este verificatea blocurilor a -checkblocks este (0-4, implicit: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + În acest mod -genproclimit controlează cîte blocuri sînt generate imediat. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Setează numărul de thread-uri de verificare a script-urilor (%u la %d, 0 = auto, <0 = lasă atîtea nuclee libere, implicit: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Setează limitarea procesorului pentru cînd generrea este activă (-1 = nelimitat, implicit: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Aceasta este o versiune de test preliminara - va asumati riscul folosind-o - nu folositi pentru minerit sau aplicatiile comerciantilor. + Aceasta este o versiune de test preliminară - vă asumaţi riscul folosind-o - nu folosiţi pentru minerit sau aplicaţiile comercianţilor Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + Nu se poate lega la %s pe acest calculator. Nucleul Bitcoin probabil deja rulează. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) @@ -2768,35 +2744,35 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Atentie: setarea -paytxfee este foarte ridicata! Aceasta este taxa tranzactiei pe care o vei plati daca trimiti o tranzactie. + Atenţie: setarea -paytxfee este foarte mare! Aceasta este taxa tranzacţiei pe care o veţi plăti dacă trimiteţi o tranzacţie. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Atentie: Va rugam verificati daca data/timpul computerului dumneavoastra sunt corecte! Daca ceasul computerului este decalat, Bitcoin nu va functiona corect. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Atenţie: Vă rugăm verificaţi dacă data/timpul calculatorului dvs. sînt corecte! Dacă ceasul calcultorului este decalat, Bitcoin nu va funcţiona corect. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Atentie: Reteaua nu pare sa fie deacord in totalitate! Aparent niste mineri au probleme. + Atenţie: Reţeaua nu pare să fie de acord în totalitate! Aparent nişte mineri au probleme. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Atentie: Aparent, nu suntem deacord cu toti membrii nostri! Va trebui sa faci un upgrade, sau alte noduri ar necesita upgrade. + Atenţie: Aparent, nu sîntem de acord cu toţi partenerii noştri! Va trebui să faceţi o actualizare, sau alte noduri necesită actualizare. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Atentie: eroare la citirea fisierului wallet.dat! Toate cheile sunt citite corect, dar datele tranzactiei sau anumite intrari din agenda sunt incorecte sau lipsesc. + Atenţie: eroare la citirea fişierului wallet.dat! Toate cheile sînt citite corect, dar datele tranzactiei sau anumite intrări din agenda sînt incorecte sau lipsesc. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Atentie: fisierul wallet.dat este corupt, date salvate! Fisierul original wallet.dat a fost salvat ca wallet.{timestamp}.bak in %s; daca balansul sau tranzactiile sunt incorecte ar trebui sa restaurati dintr-o copie de siguranta. + Atenţie: fişierul wallet.dat este corupt, date salvate! Fişierul original wallet.dat a fost salvat ca wallet.{timestamp}.bak in %s; dacă balansul sau tranzactiile sînt incorecte ar trebui să restauraţi dintr-o copie de siguranţă. (default: 1) - + (iniţial: 1) (default: wallet.dat) - + (implicit: wallet.dat) <category> can be: @@ -2804,23 +2780,23 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Attempt to recover private keys from a corrupt wallet.dat - Încearcă recuperarea cheilor private dintr-un wallet.dat corupt + Încercare de recuperare a cheilor private dintr-un wallet.dat corupt Bitcoin Core Daemon - Daemon-ul Bitcoin Core + Demonul Nucleu Bitcoin Block creation options: - Optiuni creare block + Opţiuni creare bloc: Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Curăţă lista tranzacţiilor portofelului (unealtă diagnosticarel; impliecă -rescan) Connect only to the specified node(s) - Conecteaza-te doar la nod(urile) specifice + Conectare doar la nod(urile) specificate Connect through SOCKS proxy @@ -2828,43 +2804,43 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - Conectat la JSON-RPC pe <portul> (implicit: 8332 sau testnet: 18332) + Conectare la JSON-RPC pe <portul> (implicit: 8332 sau testnet: 18332) Connection options: - + Opţiuni conexiune: Corrupted block database detected - Baza de date 'bloc' defectată a fost detectată + Bloc defect din baza de date detectat Debugging/Testing options: - + Opţiuni Depanare/Test: Disable safemode, override a real safe mode event (default: 0) - + Dezactivează modul sigur, anulează un eveniment mod sigur real (implicit: 0) Discover own IP address (default: 1 when listening and no -externalip) - Descopera propria ta adresa IP (intial: 1) + Descoperă propria adresă IP (inţial: 1) Do not load the wallet and disable wallet RPC calls - + Nu încarcă portofelul şi dezactivează solicitările portofel RPC Do you want to rebuild the block database now? - Doriți să reconstruiți baza de date 'bloc' acum? + Doriţi să reconstruiţi baza de date blocuri acum? Error initializing block database - Eroare la inițializarea bazei de date de blocuri + Eroare la iniţializarea bazei de date de blocuri Error initializing wallet database environment %s! - Eroare la initializarea mediului de baza de date a portofelului %s! + Eroare la iniţializarea mediului de bază de date a portofelului %s! Error loading block database @@ -2876,75 +2852,75 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Error: Disk space is low! - Eroare: Spațiu pe disc redus! + Eroare: Spaţiu pe disc redus! Error: Wallet locked, unable to create transaction! - Eroare: Portofel blocat, nu se poate crea o tranzacție! + Eroare: Portofel blocat, nu se poate crea o tranzacţie! Error: system error: - Eroare: eroare de sistem: + Eroare: eroare de sistem: Failed to listen on any port. Use -listen=0 if you want this. - Am esuat ascultarea pe orice port. Folositi -listen=0 daca vreti asta. + Nu s-a reuşit ascultarea pe orice port. Folosiţi -listen=0 dacă vreţi asta. Failed to read block info - Citirea informațiilor despre bloc a eșuat + Nu s-a reuşit citirea informaţiilor despre bloc Failed to read block - Citirea blocului a eșuat + Nu s-a reuşit citirea blocului Failed to sync block index - A eșuat sincronizarea indexului de blocuri + Nu s-a reuşit sincronizarea indexului de blocuri Failed to write block index - A eșuat scrierea indexului de blocuri + Nu s-a reuşit scrierea indexului de blocuri Failed to write block info - Scrierea informațiilor despre bloc a eșuat + Nu s-a reuşit scrierea informaţiilor despre bloc Failed to write block - Scrierea blocului a eșuat + Nu s-a reuşit scrierea blocului Failed to write file info - Nu a reușit scrierea informației în fișier + Nu s-a reuşit scrierea informaţiei în fişier Failed to write to coin database - Eșuarea scrierii în baza de date de monede + Nu s-a reuşit scrierea în baza de date monede Failed to write transaction index - Nu a reușit scrierea indexului de tranzacție + Nu s-a reuşit scrierea indexului de tranzacţie Failed to write undo data - Esuare in scrierea datelor anulate + Nu s-a reuşit scrierea datelor anulate Fee per kB to add to transactions you send - + Taxă per kB pentru adăugare la tranzacţiile pe care le trimiteţi Fees smaller than this are considered zero fee (for relaying) (default: - + Taxe mai mici decît aceasta sumă sînt considerate taxe nule (pentru retransmitere) (implicit: Find peers using DNS lookup (default: 1 unless -connect) - Găsește parteneri folosind căutarea DNS (implicit: 1 doar dacă nu s-a folosit -connect) + Găseşte parteneri folosind căutarea DNS (implicit: 1 doar dacă nu s-a folosit -connect) Force safe mode (default: 0) - Pornire fortata a modului safe mode (prestabilit: 0) + Pornire forţata a modului mod sigur (prestabilit: 0) Generate coins (default: 0) @@ -2952,31 +2928,31 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo How many blocks to check at startup (default: 288, 0 = all) - Cate block-uri se verifica la initializare (implicit: 288, 0=toate) + Cîte blocuri se verifică la iniţializare (implicit: 288, 0=toate) If <category> is not supplied, output all debugging information. - + Dacă <category> nu este furnizat, produce toate informaţiile de depanare. Importing... - + Import... Incorrect or no genesis block found. Wrong datadir for network? - Incorect sau nici un bloc de Geneza găsite. Directorul de retea greşit? + Incorect sau nici un bloc de geneza găsit. Directorul de retea greşit? - Invalid -onion address: '%s' - Adresa -onion invalidă: '%s' + Invalid -onion address: '%s' + Adresa -onion nevalidă: '%s' Not enough file descriptors available. - Nu sunt destule descriptoare disponibile. + Nu sînt destule descriptoare disponibile. Prepend debug output with timestamp (default: 1) - + Prefixează ieşirea depanare cu marcaj de timp (implicit: 1) RPC client options: @@ -2984,7 +2960,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Rebuild block chain index from current blk000??.dat files - Reconstruirea indexului lantului de block-uri din fisierele actuale blk000???.dat + Reconstruirea indexului lanţului de bloc din fişierele actuale blk000???.dat Select SOCKS version for -proxy (4 or 5, default: 5) @@ -2992,31 +2968,31 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Set database cache size in megabytes (%d to %d, default: %d) - + Setează mărimea bazei de date cache în megaocteţi (%d la %d, implicit: %d) Set maximum block size in bytes (default: %d) - Setaţi dimensiunea maximă a unui block în bytes (implicit: %d) + Setaţi dimensiunea maximă a unui bloc în bytes (implicit: %d) Set the number of threads to service RPC calls (default: 4) - + Stabileşte numarul de thread-uri care servesc apeluri RPC (implicit: 4) Specify wallet file (within data directory) - Specifică fișierul wallet (în dosarul de date) + Specifică fişierul portofel (în dosarul de date) Spend unconfirmed change when sending transactions (default: 1) - + Cheltuie restul neconfirmat la trimiterea tranzacţiilor (implicit: 1) This is intended for regression testing tools and app development. - Este folosita pentru programe de testare a regresiei in algoritmi si dezvoltare de alte aplicatii. + Este folosită pentru programe de testare a regresiei în algoritmi şi dezvoltare de alte aplicaţii. Usage (deprecated, use bitcoin-cli): - Utilizare (învechită, folositi bitcoin-cli): + Utilizare (învechită, folosiţi bitcoin-cli): Verifying blocks... @@ -3028,7 +3004,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Wait for RPC server to start - Aşteptaţi serverul RPC să pornească + Aşteptaţi să pornească serverul RPC Wallet %s resides outside data directory %s @@ -3036,79 +3012,79 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Wallet options: - Optiuni de portofel + Opţiuni portofel: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Avertisment: Argument ddepreciat -debugnet ignorat, folosiţi -debug=net You need to rebuild the database using -reindex to change -txindex - Trebuie să reconstruiești baza de date folosind -reindex pentru a schimba -txindex + Trebuie să reconstruiţi baza de date folosind -reindex pentru a schimba -txindex Imports blocks from external blk000??.dat file - Importă blocuri dintr-un fișier extern blk000??.dat + Importă blocuri dintr-un fişier extern blk000??.dat Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Nu se poate obţine blocarea folderului cu date %s. Nucleul Bitcoin probabil deja rulează. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Executati comanda cand o alerta relevanta este primita sau vedem o bifurcatie foarte lunga (%s in cmd este inlocuti de mesaj) + Execută comanda cînd o alertă relevantă este primită sau vedem o bifurcaţie foarte lungă (%s în cmd este înlocuit de mesaj) Output debugging information (default: 0, supplying <category> is optional) - + Produce toate informaţiile de depanare (implicit: 0, <category> furnizată este opţională) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Setează mărimea pentru tranzacţiile prioritare/taxe mici în octeţi (implicit: %d) Information - Informație + Informaţie - Invalid amount for -minrelaytxfee=<amount>: '%s' - Suma invalida pentru -minrelaytxfee=<suma>:'%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Sumă nevalidă pentru -minrelaytxfee=<suma>:'%s' - Invalid amount for -mintxfee=<amount>: '%s' - Suma invalida pentru -mintxfee=<suma>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Sumă nevalidă pentru -mintxfee=<suma>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + Limitează mărimea cache a semnăturilor la <n> intrări (implicit: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Jurnalizează prioritatea tranzacţiilorşi taxa per kB la minerirea blocurilor (implicit: 0) Maintain a full transaction index (default: 0) - Păstrează un index complet al tranzacțiilor (implicit: 0) + Păstrează un index complet al tranzacţiilor (implicit: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Tampon maxim pentru recepție per conexiune, <n>*1000 baiți (implicit: 5000) + Tampon maxim pentru recepţie per conexiune, <n>*1000 baiţi (implicit: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Tampon maxim pentru transmitere per conexiune, <n>*1000 baiți (implicit: 1000) + Tampon maxim pentru transmitere per conexiune, <n>*1000 baiţi (implicit: 1000) Only accept block chain matching built-in checkpoints (default: 1) - Se accepta decat lantul de block care se potriveste punctului de control implementat (implicit: 1) + Se acceptă decît lanţul de bloc care se potriveşte punctului de control implementat (implicit: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Efectuează conexiuni doar către nodurile din rețeaua <net> (IPv4, IPv6 sau Tor) + Efectuează conexiuni doar către nodurile din reţeaua <net> (IPv4, IPv6 sau Tor) Print block on startup, if found in block index - Publica bloc la pornire daca exista in index-ul de blocuri. + Publică bloc la pornire dacă există în indexul de blocuri Print block tree on startup (default: 0) @@ -3116,59 +3092,59 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Opţiuni RPC SSL: (vedeţi Wiki Bitcoin pentru intrucţiunile de setare SSL) RPC server options: - + Opţiuni server RPC: Randomly drop 1 of every <n> network messages - + Aleator sccapă 1 din fiecare <n> mesaje ale reţelei Randomly fuzz 1 of every <n> network messages - + Aleator aproximează 1 din fiecare <n> mesaje ale reţelei Run a thread to flush wallet periodically (default: 1) - + Rulează un thread pentru a goli portofelul periodic (implicit: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Optiuni SSl (vezi Bitcoin wiki pentru intructiunile de instalare) + Opţiuni SSL (vedeţi Bitcoin wiki pentru intrucţiunile de instalare) Send command to Bitcoin Core - Trimitere comenzi catre Bitcoin Core + Trimitere comenzi către Bitcoin Core Send trace/debug info to console instead of debug.log file - Trimite informațiile trace/debug la consolă în locul fișierului debug.log + Trimite informaţiile trace/debug la consolă în locul fişierului debug.log Set minimum block size in bytes (default: 0) - Setează mărimea minimă a blocului în baiți (implicit: 0) + Setează mărimea minimă a blocului în baiţi (implicit: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Setează indicatorul DB_PRIVATE în mediul bd portofel (implicit: 1) Show all debugging options (usage: --help -help-debug) - + Arată toate opţiunile de depanare (uz: --help -help-debug) Show benchmark information (default: 0) - + Arată informaţii benchmark (implicit: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - Micsorati fisierul debug.log la inceperea clientului (implicit: 1 cand nu -debug) + Micşorează fişierul debug.log la pornirea clientului (implicit: 1 cînd nu se foloseşte -debug) Signing transaction failed - Semnarea tranzacției a eșuat + Nu s-a reuşit semnarea tranzacţiei Specify connection timeout in milliseconds (default: 5000) @@ -3176,7 +3152,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Start Bitcoin Core Daemon - + Porneşte demonul nucleu Bitcoin System error: @@ -3184,23 +3160,23 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Transaction amount too small - Suma tranzacționată este prea mică + Suma tranzacţionată este prea mică Transaction amounts must be positive - Sumele tranzacționate trebuie să fie pozitive + Sumele tranzacţionate trebuie să fie pozitive Transaction too large - Tranzacția este prea mare + Tranzacţia este prea mare Use UPnP to map the listening port (default: 0) - Foloseste UPnP pentru a vedea porturile (initial: 0) + Foloseşte UPnP pentru a vedea porturile (iniţial: 0) Use UPnP to map the listening port (default: 1 when listening) - Foloseste UPnP pentru a vedea porturile (initial: 1 cand listezi) + Foloseşte UPnP pentru a vedea porturile (implicit: 1 cînd ascultă) Username for JSON-RPC connections @@ -3208,19 +3184,19 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Warning - Avertizare + Avertisment Warning: This version is obsolete, upgrade required! - Atenție: această versiune este depășită, este necesară actualizarea! + Atenţie: această versiune este depăşită, este necesară actualizarea! Zapping all transactions from wallet... - + Şterge toate tranzacţiile din portofel... on startup - in timpul pornirii + la pornire version @@ -3228,7 +3204,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo wallet.dat corrupt, salvage failed - wallet.dat corupt, recuperare eșuată + wallet.dat corupt, salvare nereuşită Password for JSON-RPC connections @@ -3244,7 +3220,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Execute command when the best block changes (%s in cmd is replaced by block hash) - Execută comanda când cel mai bun bloc se modifică (%s în cmd este înlocuit cu hash-ul blocului) + Execută comanda cînd cel mai bun bloc se modifică (%s în cmd este înlocuit cu hash-ul blocului) Upgrade wallet to latest format @@ -3256,11 +3232,11 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Rescan the block chain for missing wallet transactions - Rescanează lanțul de bloc pentru tranzacțiile portofel lipsă + Rescanează lanţul de bloc pentru tranzacţiile portofel lipsă Use OpenSSL (https) for JSON-RPC connections - Folosește OpenSSL (https) pentru conexiunile JSON-RPC + Foloseşte OpenSSL (https) pentru conexiunile JSON-RPC Server certificate file (default: server.cert) @@ -3280,11 +3256,11 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Allow DNS lookups for -addnode, -seednode and -connect - Permite căutări DNS pentru -addnode, -seednode și -connect + Permite căutări DNS pentru -addnode, -seednode şi -connect Loading addresses... - Încarc adrese... + Încărcare adrese... Error loading wallet.dat: Wallet corrupted @@ -3296,35 +3272,35 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Wallet needed to be rewritten: restart Bitcoin to complete - Portofelul trebuie rescris: repornește Bitcoin pentru finalizare + Portofelul trebuie rescris: reporneşte Bitcoin pentru finalizare Error loading wallet.dat Eroare la încărcarea wallet.dat - Invalid -proxy address: '%s' - Adresa -proxy nevalidă: '%s' + Invalid -proxy address: '%s' + Adresa -proxy nevalidă: '%s' - Unknown network specified in -onlynet: '%s' - Rețeaua specificată în -onlynet este necunoscută: '%s' + Unknown network specified in -onlynet: '%s' + Reţeaua specificată în -onlynet este necunoscută: '%s' Unknown -socks proxy version requested: %i S-a cerut o versiune necunoscută de proxy -socks: %i - Cannot resolve -bind address: '%s' - Nu se poate rezolva adresa -bind: '%s' + Cannot resolve -bind address: '%s' + Nu se poate rezolva adresa -bind: '%s' - Cannot resolve -externalip address: '%s' - Nu se poate rezolva adresa -externalip: '%s' + Cannot resolve -externalip address: '%s' + Nu se poate rezolva adresa -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Suma nevalidă pentru -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Suma nevalidă pentru -paytxfee=<amount>: '%s' Invalid amount @@ -3336,15 +3312,15 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Loading block index... - Încarc indice bloc... + Încărcare index bloc... Add a node to connect to and attempt to keep the connection open - Adaugă un nod la care te poți conecta pentru a menține conexiunea deschisă + Adaugă un nod la care te poţi conecta pentru a menţine conexiunea deschisă Loading wallet... - Încarc portofel... + Încărcare portofel... Cannot downgrade wallet @@ -3356,7 +3332,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo Rescanning... - Rescanez... + Rescanare... Done loading @@ -3364,7 +3340,7 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo To use the %s option - Pentru a folosi opțiunea %s + Pentru a folosi opţiunea %s Error @@ -3374,9 +3350,9 @@ spre exemplu: alertnotify=echo %%s | mail -s "Alerta Bitcoin" admin@fo You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - Trebuie sa setezi rpcpassword=<password> în fișierul de configurare:⏎ -%s⏎ -Dacă fișierul nu există, creează-l cu permisiuni de citire doar de către proprietar. + Trebuie să setaţi rpcpassword=<password> în fişierul de configurare: +%s +Dacă fişierul nu există, îl creează cu permisiuni de citire doar de către proprietar. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_ru.ts b/src/qt/locale/bitcoin_ru.ts index d9840a9c5e6..84711deb6de 100644 --- a/src/qt/locale/bitcoin_ru.ts +++ b/src/qt/locale/bitcoin_ru.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -465,7 +465,7 @@ This product includes software developed by the OpenSSL Project for use in the O %n active connection(s) to Bitcoin network - %n активное соединение с сетью%n активных соединений с сетью%n активных соединений с сетью Bitcoin + %n активное соединение с сетью%n активных соединений с сетью%n активных соединений с сетью Bitcoin%n активных соединений с сетью Bitcoin No block source available... @@ -481,15 +481,15 @@ This product includes software developed by the OpenSSL Project for use in the O %n hour(s) - %n час%n часа%n часов + %n час%n часа%n часов%n часов %n day(s) - %n день%n дня%n дней + %n день%n дня%n дней%n дней %n week(s) - %n неделя%n недели%n недель + %n неделя%n недели%n недель%n недель %1 and %2 @@ -497,7 +497,7 @@ This product includes software developed by the OpenSSL Project for use in the O %n year(s) - %n год%n лет%n года + %n год%n лет%n года%n года %1 behind @@ -770,8 +770,8 @@ Address: %4 Транзакции с более высоким приоритетом будут вероятнее других включены в блок. - This label turns red, if the priority is smaller than "medium". - Эта пометка становится красной, если приоритет ниже, чем "средний". + This label turns red, if the priority is smaller than "medium". + Эта пометка становится красной, если приоритет ниже, чем "средний". This label turns red, if any recipient receives an amount smaller than %1. @@ -841,12 +841,12 @@ Address: %4 Изменение адреса для отправки - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. Введённый адрес «%1» уже находится в адресной книге. - The entered address "%1" is not a valid Bitcoin address. - Введённый адрес "%1" не является правильным Bitcoin-адресом. + The entered address "%1" is not a valid Bitcoin address. + Введённый адрес "%1" не является правильным Bitcoin-адресом. Could not unlock wallet. @@ -907,8 +907,8 @@ Address: %4 Опции интерфейса - Set language, for example "de_DE" (default: system locale) - Выберите язык, например "de_DE" (по умолчанию: как в системе) + Set language, for example "de_DE" (default: system locale) + Выберите язык, например "de_DE" (по умолчанию: как в системе) Start minimized @@ -958,8 +958,8 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Ошибка: не удалось создать указанный каталог данных "%1". + Error: Specified data directory "%1" can not be created. + Ошибка: не удалось создать указанный каталог данных "%1". Error @@ -1048,6 +1048,14 @@ Address: %4 IP-адрес прокси (например IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Сторонние URL (например, block explorer), которые отображаются на вкладке транзакций как пункты контекстного меню. %s в URL заменяется хэшем транзакции. URL отделяются друг от друга вертикальной чертой |. + + + Third party transaction URLs + Сторонние URL транзакций. + + Active command-line options that override above options: Активные опции командной строки, которые перекрывают вышеуказанные опции: @@ -1286,7 +1294,7 @@ Address: %4 Предупреждение менеджера сети - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Активный прокси не поддерживает SOCKS5, который необходим для запроса платежей через прокси. @@ -1337,8 +1345,8 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Ошибка: указанный каталог "%1" не существует. + Error: Specified data directory "%1" does not exist. + Ошибка: указанный каталог "%1" не существует. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1349,8 +1357,8 @@ Address: %4 Ошибка: неверная комбинация -regtest и -testnet. - Bitcoin Core did't yet exit safely... - Bitcoin Core еще не готов к безопасному завершению... + Bitcoin Core didn't yet exit safely... + Bitcoin Core ещё не завершился безопасно... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2041,7 +2049,7 @@ Address: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Введите ниже адрес для подписи, сообщение (убедитесь, что переводы строк, пробелы, табы и т.п. в точности скопированы) и подпись, чтобы проверить сообщение. Убедитесь, что не скопировали лишнего в подпись, по сравнению с самим подписываемым сообщением, чтобы не стать жертвой атаки "man-in-the-middle". + Введите ниже адрес для подписи, сообщение (убедитесь, что переводы строк, пробелы, табы и т.п. в точности скопированы) и подпись, чтобы проверить сообщение. Убедитесь, что не скопировали лишнего в подпись, по сравнению с самим подписываемым сообщением, чтобы не стать жертвой атаки "man-in-the-middle". The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,8 +2072,8 @@ Address: %4 Введите адрес Bitcoin (напр. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Нажмите "Подписать сообщение" для создания подписи + Click "Sign Message" to generate signature + Нажмите "Подписать сообщение" для создания подписи The entered address is invalid. @@ -2166,7 +2174,7 @@ Address: %4 , broadcast through %n node(s) - , разослано через %n узел, разослано через %n узла, разослано через %n узлов + , разослано через %n узел, разослано через %n узла, разослано через %n узлов, разослано через %n узлов Date @@ -2202,7 +2210,7 @@ Address: %4 matures in %n more block(s) - будет доступно через %n блокбудет доступно через %n блокабудет доступно через %n блоков + будет доступно через %n блокбудет доступно через %n блокабудет доступно через %n блоковбудет доступно через %n блоков not accepted @@ -2237,8 +2245,8 @@ Address: %4 Продавец - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Сгенерированные монеты должны подождать %1 блоков, прежде чем они могут быть потрачены. Когда Вы сгенерировали этот блок, он был отправлен в сеть для добавления в цепочку блоков. Если он не попадёт в цепь, его статус изменится на "не принят", и монеты будут недействительны. Это иногда происходит в случае, если другой узел сгенерирует блок на несколько секунд раньше вас. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Сгенерированные монеты должны подождать %1 блоков, прежде чем они могут быть потрачены. Когда Вы сгенерировали этот блок, он был отправлен в сеть для добавления в цепочку блоков. Если он не попадёт в цепь, его статус изменится на "не принят", и монеты будут недействительны. Это иногда происходит в случае, если другой узел сгенерирует блок на несколько секунд раньше вас. Debug information @@ -2270,7 +2278,7 @@ Address: %4 Open for %n more block(s) - Открыто для ещё %n блокаОткрыто для ещё %n блоковОткрыто для ещё %n блоков + Открыто для ещё %n блокаОткрыто для ещё %n блоковОткрыто для ещё %n блоковОткрыто для ещё %n блоков unknown @@ -2312,7 +2320,7 @@ Address: %4 Open for %n more block(s) - Открыто для ещё %n блокаОткрыто для ещё %n блоковОткрыто для ещё %n блоков + Открыто для ещё %n блокаОткрыто для ещё %n блоковОткрыто для ещё %n блоковОткрыто для ещё %n блоков Open until %1 @@ -2339,10 +2347,6 @@ Address: %4 Неподтверждено - Confirming (%1 of %2 recommended confirmations) - Подтверждено(%1 подтверждений, рекомендуется 2% подтверждений) - - Conflicted В противоречии @@ -2676,7 +2680,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, вы должны установить опцию rpcpassword в конфигурационном файле: %s @@ -2687,7 +2691,7 @@ rpcpassword=%s Имя и пароль ДОЛЖНЫ различаться. Если файл не существует, создайте его и установите права доступа только для владельца, только для чтения. Также рекомендуется включить alertnotify для оповещения о проблемах; -Например: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +Например: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2771,7 +2775,7 @@ rpcpassword=%s Внимание: установлено очень большое значение -paytxfee. Это комиссия, которую вы заплатите при проведении транзакции. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Внимание: убедитесь, что дата и время на Вашем компьютере выставлены верно. Если Ваши часы идут неправильно, Bitcoin будет работать некорректно. @@ -2967,8 +2971,8 @@ rpcpassword=%s Неверный или отсутствующий начальный блок. Неправильный каталог данных для сети? - Invalid -onion address: '%s' - Неверный -onion адрес: '%s' + Invalid -onion address: '%s' + Неверный -onion адрес: '%s' Not enough file descriptors available. @@ -3071,12 +3075,12 @@ rpcpassword=%s Информация - Invalid amount for -minrelaytxfee=<amount>: '%s' - Неверная сумма в параметре -minrelaytxfee=<кол-во>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Неверная сумма в параметре -minrelaytxfee=<кол-во>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Неверная сумма в параметре -mintxfee=<кол-во>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Неверная сумма в параметре -mintxfee=<кол-во>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3304,28 +3308,28 @@ rpcpassword=%s Ошибка при загрузке wallet.dat - Invalid -proxy address: '%s' - Неверный адрес -proxy: '%s' + Invalid -proxy address: '%s' + Неверный адрес -proxy: '%s' - Unknown network specified in -onlynet: '%s' - В параметре -onlynet указана неизвестная сеть: '%s' + Unknown network specified in -onlynet: '%s' + В параметре -onlynet указана неизвестная сеть: '%s' Unknown -socks proxy version requested: %i В параметре -socks запрошена неизвестная версия: %i - Cannot resolve -bind address: '%s' - Не удаётся разрешить адрес в параметре -bind: '%s' + Cannot resolve -bind address: '%s' + Не удаётся разрешить адрес в параметре -bind: '%s' - Cannot resolve -externalip address: '%s' - Не удаётся разрешить адрес в параметре -externalip: '%s' + Cannot resolve -externalip address: '%s' + Не удаётся разрешить адрес в параметре -externalip: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Неверная сумма в параметре -paytxfee=<кол-во>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Неверная сумма в параметре -paytxfee=<кол-во>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_sah.ts b/src/qt/locale/bitcoin_sah.ts index 5cdf9a93d74..7855081b2c0 100644 --- a/src/qt/locale/bitcoin_sah.ts +++ b/src/qt/locale/bitcoin_sah.ts @@ -1,3360 +1,111 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage Double-click to edit address or label Аадырыскын уларытаргар иккитэ баттаа - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - + ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - + SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - + TrafficGraphWidget - - KB/s - - - + TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - + TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - + TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - + TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - + WalletFrame - - No wallet has been loaded. - - - + WalletModel - - Send Coins - - - + WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_sk.ts b/src/qt/locale/bitcoin_sk.ts index b12462dbb2f..4370092f84a 100644 --- a/src/qt/locale/bitcoin_sk.ts +++ b/src/qt/locale/bitcoin_sk.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -16,7 +16,12 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Toto je experimentálny softvér. + +Distribuovaný pod MIT/X11 softvérovou licenciou, viď sprevádzajúci súbor COPYING alebo http://www.opensource.org/licenses/mit-license.php. + +Tento výrobok obsahuje sofvér, ktorý vyvynul OpenSSL Project pre použitie v OpenSSL Toolkit (http://www.openssl.org/) a kryptografický softvér napísaný Ericom Youngom (eay@cryptsoft.com) a UPnP softvér napísaný Thomasom Bernardom. Copyright @@ -28,7 +33,7 @@ This product includes software developed by the OpenSSL Project for use in the O (%1-bit) - + (%1-bit) @@ -63,7 +68,7 @@ This product includes software developed by the OpenSSL Project for use in the O Delete the currently selected address from the list - + Vymaž vybranú adresu zo zoznamu Export the data in the current tab to a file @@ -79,11 +84,11 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Zvoľte adresu kam poslať coins Choose the address to receive coins with - + Zvoľte adresu na ktorú prijať coins C&hoose @@ -99,11 +104,11 @@ This product includes software developed by the OpenSSL Project for use in the O These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Toto sú Vaše Bitcoin adresy pre posielanie platieb. Vždy skontrolujte množstvo a prijímaciu adresu pred poslaním coins. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Toto sú vaše Bitcoin adresy pre prijímanie platieb. Odporúča sa použiť novú prijímaciu adresu pre každú transakciu. Copy &Label @@ -127,7 +132,7 @@ This product includes software developed by the OpenSSL Project for use in the O There was an error trying to save the address list to %1. - + Nastala chyba pri pokuse uložiť zoznam adries do %1. @@ -209,7 +214,7 @@ This product includes software developed by the OpenSSL Project for use in the O IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + DÔLEŽITÉ: Všetky doterajšie záložné kópie peňaženky ktoré ste zhotovili by mali byť nahradené novým zašifrovaným súborom s peňaženkou. Z bezpečnostných dôvodov sa predchádzajúce kópie nezašifrovanej peňaženky stanú neužitočné keď začnete používať novú zašifrovanú peňaženku. Warning: The Caps Lock key is on! @@ -320,11 +325,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + Posielajúca adresa ... &Receiving addresses... - + Prijímajúca adresa... Open &URI... @@ -392,15 +397,15 @@ This product includes software developed by the OpenSSL Project for use in the O Encrypt the private keys that belong to your wallet - + Zašifruj súkromné kľúče ktoré patria do vašej peňaženky Sign messages with your Bitcoin addresses to prove you own them - + Podpísať správu s vašou adresou Bitcoin aby ste preukázali že ju vlastníte Verify messages to ensure they were signed with specified Bitcoin addresses - + Overiť či správa bola podpísaná uvedenou Bitcoin adresou &File @@ -428,7 +433,7 @@ This product includes software developed by the OpenSSL Project for use in the O Request payments (generates QR codes and bitcoin: URIs) - + Vyžiadať platbu (vygeneruje QR kód a bitcoin: URI) &About Bitcoin Core @@ -436,23 +441,23 @@ This product includes software developed by the OpenSSL Project for use in the O Show the list of used sending addresses and labels - + Zobraziť zoznam použitých adries odosielateľa a ich popisy Show the list of used receiving addresses and labels - + Zobraziť zoznam použitých prijímacích adries a ich popisov Open a bitcoin: URI or payment request - + Otvoriť bitcoin URI alebo výzvu k platbe &Command-line options - Voľby príkazového riadku + Možnosti príkazového riadku Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Zobraziť pomocnú správu od Bitcoin Jadra pre získanie zoznamu dostupných možností príkazového riadku Bitcoin client @@ -488,15 +493,11 @@ This product includes software developed by the OpenSSL Project for use in the O %1 and %2 - - - - %n year(s) - + %1 a %2 %1 behind - %1 za + %1 pozadu Last received block was generated %1 ago. @@ -555,7 +556,7 @@ Adresa: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Vyskytla sa neblahá chyba. Bitcoin nemôže daľej bezpečne pokračovať a vypne sa. @@ -569,7 +570,7 @@ Adresa: %4 CoinControlDialog Coin Control Address Selection - + Coin Control výber adresy Quantity: @@ -593,11 +594,11 @@ Adresa: %4 Low Output: - + Malá hodnota na výstupe: After Fee: - + Po poplatku: Change: @@ -605,7 +606,7 @@ Adresa: %4 (un)select all - + (ne)vybrať všetko Tree mode @@ -657,11 +658,11 @@ Adresa: %4 Lock unspent - + Uzamknúť neminuté Unlock unspent - + Odomknúť neminuté Copy quantity @@ -673,7 +674,7 @@ Adresa: %4 Copy after fee - + Kopírovať za poplatok Copy bytes @@ -685,7 +686,7 @@ Adresa: %4 Copy low output - + Kopírovať malý výstup. Copy change @@ -729,7 +730,7 @@ Adresa: %4 (%1 locked) - + (%1 zamknutých) none @@ -749,39 +750,39 @@ Adresa: %4 This label turns red, if the transaction size is greater than 1000 bytes. - + Tento popis zčervená ak veľkosť transakcie presiahne 1000 bytov. This means a fee of at least %1 per kB is required. - + To znamená že požadovaný poplatok je aspoň %1 za kB. Can vary +/- 1 byte per input. - + Môže sa pohybovať +/- 1 bajt pre vstup. Transactions with higher priority are more likely to get included into a block. - + Transakcie s vysokou prioritou sa pravdepodobnejsie dostanú do bloku. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Tento popis zčervenie ak je priorita nižčia ako "medium". This label turns red, if any recipient receives an amount smaller than %1. - + Tento popis zčervenie ak ktorýkoľvek príjemca dostane sumu menšiu ako %1. This means a fee of at least %1 is required. - + To znamená že je požadovaný poplatok aspoň %1. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Sumy pod 0.546 násobkom minimálneho poplatku pre prenos sú považované za prach. This label turns red, if the change is smaller than %1. - + Tento popis zžervenie ak výdavok je menší než %1. (no label) @@ -808,11 +809,11 @@ Adresa: %4 The label associated with this address list entry - + Popis tejto položký v zozname adries je prázdny The address associated with this address list entry. This can only be modified for sending addresses. - + Adresa spojená s týmto záznamom v adresári. Možno upravovať len pre odosielajúce adresy. &Address @@ -835,12 +836,12 @@ Adresa: %4 Upraviť odosielaciu adresu - The entered address "%1" is already in the address book. - Vložená adresa "%1" sa už nachádza v adresári. + The entered address "%1" is already in the address book. + Vložená adresa "%1" sa už nachádza v adresári. - The entered address "%1" is not a valid Bitcoin address. - Vložená adresa "%1" nieje platnou adresou bitcoin. + The entered address "%1" is not a valid Bitcoin address. + Vložená adresa "%1" nieje platnou adresou bitcoin. Could not unlock wallet. @@ -863,7 +864,7 @@ Adresa: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Priečinok už existuje. Pridajte "%1" ak chcete vytvoriť nový priečinok tu. Path already exists, and is not a directory. @@ -878,7 +879,7 @@ Adresa: %4 HelpMessageDialog Bitcoin Core - Command-line options - + Jadro Bitcoin - možnosti príkazového riadku Bitcoin Core @@ -901,8 +902,8 @@ Adresa: %4 UI možnosti - Set language, for example "de_DE" (default: system locale) - Nastaviť jazyk, napríklad "sk_SK" (predvolené: systémový) + Set language, for example "de_DE" (default: system locale) + Nastaviť jazyk, napríklad "sk_SK" (predvolené: systémový) Start minimized @@ -910,7 +911,7 @@ Adresa: %4 Set SSL root certificates for payment request (default: -system-) - + Nastaviť koreňový certifikát pre výzvy na platbu (prednastavené: -system-) Show splash screen on startup (default: 1) @@ -918,7 +919,7 @@ Adresa: %4 Choose data directory on startup (default: 0) - + Zvoľte dátový priečinok pri štarte (prednastavené: 0) @@ -933,11 +934,11 @@ Adresa: %4 As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Keďže spúštate program prvý krát, môžte si vybrať kde bude Bitcoin Jadro ukladať svoje dáta. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Jadro Bitcoin stiahne zo siete a uloží kópiu Bitcoin blockchain. Aspoň %1GB dát bude uložených v tomto priečinku a časom porastie. Peňaženka bude tiež uložená v tomto priečinku. Use the default data directory @@ -952,8 +953,8 @@ Adresa: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Chyba: Predpísaný priečinok pre dáta "%1" nemôže byt vytvorený. Error @@ -976,7 +977,7 @@ Adresa: %4 Open payment request from URI or file - + Otvoriť požiadavku na zaplatenie z URI alebo súboru URI: @@ -984,11 +985,11 @@ Adresa: %4 Select payment request file - + Vyberte súbor s výzvou k platbe Select payment request file to open - + Vyberte ktorý súbor s výzvou k platbe otvoriť @@ -1003,7 +1004,7 @@ Adresa: %4 Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Voliteľný transakčný poplatok za kB ktorý pomôže rýchlemu spracovaniu transakcie. Väčšina transakcií má 1 kB. Poplatok 0.01 je odporúčaný. Pay transaction &fee @@ -1019,7 +1020,7 @@ Adresa: %4 Size of &database cache - + Veľkosť vyrovnávacej pamäti databázy MB @@ -1027,23 +1028,31 @@ Adresa: %4 Number of script &verification threads - + Počet skript overujucich vlákien Connect to the Bitcoin network through a SOCKS proxy. - + Pripojiť k Bitcoin sieti cez SOCKS proxy. &Connect through SOCKS proxy (default proxy): - + Pripojiť sa cez SOCKS proxy (predvolené proxy) IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + IP adresy proxy (napr. IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + URL tretích strán (napr. prehliadač blockchain) ktoré sa zobrazujú v záložke transakcií ako položky kontextového menu. %s v URL je nahradené hash-om transakcie. Viaceré URL sú oddelené zvislou čiarou |. + + + Third party transaction URLs + URL transakcií s tretími stranami Active command-line options that override above options: - + Aktévne možnosti príkazového riadku ktoré prepíšu možnosti vyššie: Reset all client options to default. @@ -1059,27 +1068,27 @@ Adresa: %4 (0 = auto, <0 = leave that many cores free) - + (0 = auto, <0 = nechať toľko jadier voľných) W&allet - + Peňaženka Expert - + Expert Enable coin &control features - + Povoliť možnosti coin control If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Ak vypnete míňanie nepotvrdeného výdavku tak výdavok z transakcie bude možné použiť až keď daná transakcia bude mať aspoň jedno potvrdenie. Toto má vplyv aj na výpočet vášho zostatku. &Spend unconfirmed change - + Minúť nepotvrdený výdavok Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1139,7 +1148,7 @@ Adresa: %4 The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Tu sa dá nastaviť jazyk užívateľského rozhrania. Toto nastavenie bude účinné po reštartovaní Bitcoin. &Unit to show amounts in: @@ -1147,11 +1156,11 @@ Adresa: %4 Choose the default subdivision unit to show in the interface and when sending coins. - + Zvoľte ako deliť bitcoin pri zobrazovaní pri platbách a užívateľskom rozhraní. Whether to show Bitcoin addresses in the transaction list or not. - + Či ukazovať Bitcoin adresy v zozname transakcií alebo nie. &Display addresses in transaction list @@ -1159,7 +1168,7 @@ Adresa: %4 Whether to show coin control features or not. - + Či zobrazovať možnosti "Coin control" alebo nie. &OK @@ -1179,19 +1188,19 @@ Adresa: %4 Confirm options reset - + Potvrdiť obnovenie možností Client restart required to activate changes. - + Reštart klienta potrebný pre aktivovanie zmien. Client will be shutdown, do you want to proceed? - + Klient bude vypnutý, chcete pokračovať? This change would require a client restart. - + Táto zmena by vyžadovala reštart klienta. The supplied proxy address is invalid. @@ -1206,7 +1215,7 @@ Adresa: %4 The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + Zobrazené informácie môžu byť neaktuápne. Vaša peňaženka sa automaticky synchronizuje so sieťou Bitcoin po nadviazaní spojenia ale tento proces ešte nieje ukončený. Wallet @@ -1214,19 +1223,19 @@ Adresa: %4 Available: - + Disponibilné: Your current spendable balance - + Váš aktuálny disponibilný zostatok Pending: - + Čakajúce potvrdenie Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Suma transakcií ktoré ešte neboli potvrdené a ešte sa nepočítajú do disponibilného zostatku Immature: @@ -1234,7 +1243,7 @@ Adresa: %4 Mined balance that has not yet matured - + Vytvorený zostatok ktorý ešte nedosiahol zrelosť Total: @@ -1261,55 +1270,55 @@ Adresa: %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - + URI sa nedá rozložiť! To môže byť spôsobené neplatou Bitcoin adresou alebo zle upravenými vlastnosťami URI. Requested payment amount of %1 is too small (considered dust). - + Požadovaná platba sumy %1 je príliš malá (považovaná za prach). Payment request error - + Chyba pri vyžiadaní platby Cannot start bitcoin: click-to-pay handler - + Nedá sa spustiť obslužný program bitcoin: click-to-pay zaplatiť kliknutím Net manager warning - + Varovanie správcu siete - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Vaše aktívne proxy nepodporuje SOCKS5, ktoré je potrebné pre vyzvu na zaplatenie cez proxy. Payment request fetch URL is invalid: %1 - + URL pre stiahnutie výzvy na zaplatenie je neplatné: %1 Payment request file handling - + Obsluha súboru s požiadavkou na platbu Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + Súbor s výzvou na zaplatenie sa nedá čítať alebo spracovať! To môže byť spôsobené aj neplatným súborom s výzvou. Unverified payment requests to custom payment scripts are unsupported. - + Program nepodporuje neoverené platobné výzvy na vlastná skripty. Refund from %1 - + Vrátenie z %1 Error communicating with %1: %2 - + Chyba komunikácie s %1: %2 Payment request can not be parsed or processed! - + Požiadavka na platbu nemôže byť analyzovaná alebo spracovaná! Bad response from server %1 @@ -1317,11 +1326,11 @@ Adresa: %4 Payment acknowledged - + Platba potvrdená Network request error - + Chyba požiadavky siete @@ -1331,20 +1340,20 @@ Adresa: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - + Error: Specified data directory "%1" does not exist. + Chyba: Uvedený priečinok s dátami "%1" neexistuje. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Chyba: Nedá sa rozlúštit súbor s nastaveniami: %1. Používajte výlučne kľúč=hodnota syntax. Error: Invalid combination of -regtest and -testnet. - + Chyba: Nesprávna kombinácia -regtest a -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Jadro Bitcoin sa ešte úspešne nevyplo ... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1470,7 +1479,7 @@ Adresa: %4 Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Otvoriť Bitcoin log súbor pre ladenie z aktuálneho dátového adresára. Toto môže trvať niekoľko sekúnd pre veľké súbory. Clear console @@ -1478,15 +1487,15 @@ Adresa: %4 Welcome to the Bitcoin RPC console. - + Vitajte v Bitcoin RPC konzole. Baník, pyčo! Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - + Použi šipky hore a dolu pre navigáciu históriou a <b>Ctrl-L</b> pre vyčistenie obrazovky. Type <b>help</b> for an overview of available commands. - + Napíš <b>help</b> pre prehľad dostupných príkazov. %1 B @@ -1533,27 +1542,27 @@ Adresa: %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Znovu použiť jednu z už použitých adries pre prijímanie. Znovu používanie adries je sporná otázka bezpečnosti aj súkromia. Používajte to len v prípade ak znovu generujete výzvu na zaplatenie ktorú ste už vyrobili v minulosti. R&euse an existing receiving address (not recommended) - + Znovu použiť jestvujúcu prijímaciu adresu (neodporúča sa) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Pridať voliteľnú správu k výzve na zaplatenie, ktorá sa zobrazí keď bude výzva otvorená. Poznámka: Správa nebude poslaná s platbou cez sieť Bitcoin. An optional label to associate with the new receiving address. - + Voliteľný popis ktorý sa pridá k tejto novej prijímajúcej adrese. Use this form to request payments. All fields are <b>optional</b>. - + Použite tento formulár pre vyžiadanie platby. Všetky polia sú <b>voliteľné</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Voliteľná požadovaná suma. Nechajte prázdne alebo nulu ak nepožadujete určitú sumu. Clear all fields of the form. @@ -1573,7 +1582,7 @@ Adresa: %4 Show the selected request (does the same as double clicking an entry) - + Zobraz zvolenú požiadavku (urobí to isté ako dvoj-klik na záznam) Show @@ -1581,7 +1590,7 @@ Adresa: %4 Remove the selected entries from the list - + Odstrániť zvolené záznamy zo zoznamu Remove @@ -1694,7 +1703,7 @@ Adresa: %4 Coin Control Features - + Možnosti "Coin Control" Inputs... @@ -1730,11 +1739,11 @@ Adresa: %4 Low Output: - + Malá hodnota na výstupe: After Fee: - + Po poplatku: Change: @@ -1742,7 +1751,7 @@ Adresa: %4 If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Ak aktivované ale adresa pre výdavok je prázdna alebo neplatná, výdavok bude poslaný na novovytvorenú adresu. Custom change address @@ -1798,7 +1807,7 @@ Adresa: %4 Copy after fee - + Kopírovať za poplatok Copy bytes @@ -1810,7 +1819,7 @@ Adresa: %4 Copy low output - + Kopírovať nízky výstup Copy change @@ -1850,11 +1859,11 @@ Adresa: %4 The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Transakcia bola zamietnutá! Toto sa môže stať ak niektoré coins vo vašej peňaženke už boli minuté, ako keď použijete kópiu wallet.dat a coins boli minuté z kópie ale neoznačené ako minuté tu. Warning: Invalid Bitcoin address - + Varovanie: Nesprávna Bitcoin adresa (no label) @@ -1862,7 +1871,7 @@ Adresa: %4 Warning: Unknown change address - + Varovanie: Neznáma adresa pre výdavok Are you sure you want to send? @@ -1874,7 +1883,7 @@ Adresa: %4 Payment request expired - + Vypršala platnosť požiadavky na platbu Invalid payment address %1 @@ -1933,19 +1942,19 @@ Adresa: %4 This is a verified payment request. - + Toto je overená výzva k platbe. Enter a label for this address to add it to the list of used addresses - + Vložte popis pre túto adresu aby sa uložila do zoznamu použitých adries A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Správa ktorá bola pripojená k bitcoin: URI a ktorá bude uložená s transakcou pre Vaše potreby. Poznámka: Táto správa nebude poslaná cez sieť Bitcoin. This is an unverified payment request. - + Toto je neoverená výzva k platbe. Pay To: @@ -1953,7 +1962,7 @@ Adresa: %4 Memo: - + Poznámka: @@ -1964,14 +1973,14 @@ Adresa: %4 Do not shut down the computer until this window disappears. - + Nevypínajte počítač kým toto okno nezmizne. SignVerifyMessageDialog Signatures - Sign / Verify a Message - + Podpisy - Podpísať / Overiť správu &Sign Message @@ -1979,7 +1988,7 @@ Adresa: %4 You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Môžete podpísať správy svojou adresou a dokázať, že ju vlastníte. Buďte opatrní a podpíšte len prehlásenia s ktorými plne súhlasíte, nakoľko útoky typu "phishing" Vás môžu lákať k ich podpísaniu. + Môžete podpísať správy svojou adresou a dokázať, že ju vlastníte. Buďte opatrní a podpíšte len prehlásenia s ktorými plne súhlasíte, nakoľko útoky typu "phishing" Vás môžu lákať k ich podpísaniu. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2011,7 +2020,7 @@ Adresa: %4 Copy the current signature to the system clipboard - + Kopírovať práve zvolenú adresu do systémového klipbordu Sign the message to prove you own this Bitcoin address @@ -2023,7 +2032,7 @@ Adresa: %4 Reset all sign message fields - + Vynulovať všetky polia podpisu správy Clear &All @@ -2035,7 +2044,7 @@ Adresa: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - + Vložte podpisovaciu adresu, správu (uistite sa, že kopírujete ukončenia riadkov, medzery, odrážky, atď. presne) a podpis pod to na overenie adresy. Buďte opatrní a nečítajte ako podpísané viac než je v samotnej podpísanej správe a môžete sa tak vyhnúť podvodu mitm útokom. The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2043,7 +2052,7 @@ Adresa: %4 Verify the message to ensure it was signed with the specified Bitcoin address - + Overím správy sa uistiť že bola podpísaná označenou Bitcoin adresou Verify &Message @@ -2051,15 +2060,15 @@ Adresa: %4 Reset all verify message fields - + Obnoviť všetky polia v overiť správu Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Zadajte Bitcoin adresu (napr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Kliknite "Podpísať Správu" na získanie podpisu + Click "Sign Message" to generate signature + Kliknite "Podpísať Správu" na získanie podpisu The entered address is invalid. @@ -2071,7 +2080,7 @@ Adresa: %4 The entered address does not refer to a key. - + Vložená adresa nezodpovedá žiadnemu kľúcu. Wallet unlock was cancelled. @@ -2079,7 +2088,7 @@ Adresa: %4 Private key for the entered address is not available. - + Súkromný kľúč pre vložená adresu nieje k dispozícii. Message signing failed. @@ -2099,7 +2108,7 @@ Adresa: %4 The signature did not match the message digest. - + Podpis sa nezhoduje so zhrnutím správy Message verification failed. @@ -2140,7 +2149,7 @@ Adresa: %4 conflicted - + sporné %1/offline @@ -2158,10 +2167,6 @@ Adresa: %4 Status Stav - - , broadcast through %n node(s) - - Date Dátum @@ -2196,7 +2201,7 @@ Adresa: %4 matures in %n more block(s) - + Dospeje o %n blokovDospeje o %n blokovdospeje o %n blokov not accepted @@ -2231,8 +2236,8 @@ Adresa: %4 Kupec - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Vytvorené coins musia dospieť %1 blokov kým môžu byť minuté. Keď vytvoríte tento blok, bude rozoslaný do siete aby bol akceptovaný do reťaze blokov. Ak sa nedostane reťaze, jeho stav sa zmení na "zamietnutý" a nebude sa dať minúť. Toto sa môže občas stať ak iná nóda vytvorí blok približne v tom istom čase. Debug information @@ -2264,7 +2269,7 @@ Adresa: %4 Open for %n more block(s) - + Otvoriť pre %n viac blokOtvoriť pre %n viac blokov Otvoriť pre %n viac blokov unknown @@ -2302,11 +2307,7 @@ Adresa: %4 Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - + Nezrelé (%1 potvrdení, bude k dispozícii po %2) Open until %1 @@ -2326,19 +2327,19 @@ Adresa: %4 Offline - + Offline Unconfirmed - + Nepotvrdené Confirming (%1 of %2 recommended confirmations) - + Potvrdzuje sa ( %1 z %2 odporúčaných potvrdení) Conflicted - + V rozpore Received with @@ -2477,7 +2478,7 @@ Adresa: %4 There was an error trying to save the transaction history to %1. - + Vyskytla sa chyba pri pokuse o uloženie histórie transakcií do %1. Exporting Successful @@ -2485,7 +2486,7 @@ Adresa: %4 The transaction history was successfully saved to %1. - + História transakciá bola úspešne uložená do %1. Comma separated file (*.csv) @@ -2566,11 +2567,11 @@ Adresa: %4 There was an error trying to save the wallet data to %1. - + Vyskytla sa chyba pri pokuse o uloženie dát peňaženky do %1. The wallet data was successfully saved to %1. - + Dáta peňaženky boli úspešne uložené do %1. Backup Successful @@ -2617,7 +2618,7 @@ Adresa: %4 Connect to a node to retrieve peer addresses, and disconnect - + Pripojiť sa k nóde, získať adresy ďaľších počítačov v sieti a odpojit sa. Specify your own public address @@ -2633,7 +2634,7 @@ Adresa: %4 An error occurred while setting up the RPC port %u for listening on IPv4: %s - + Vyskytla sa chyba pri nastavovaní RPC portu %u pre počúvanie na IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) @@ -2645,7 +2646,7 @@ Adresa: %4 Bitcoin Core RPC client version - + Verzia RPC klienta Jadra Bitcoin Run in the background as a daemon and accept commands @@ -2657,7 +2658,7 @@ Adresa: %4 Accept connections from outside (default: 1 if no -proxy or -connect) - + Prijať spojenia zvonku (predvolené: 1 ak žiadne -proxy alebo -connect) %s, you must set a rpcpassword in the configuration file: @@ -2669,117 +2670,129 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - + %s, musíte nastaviť rpcpassword heslo v súbore nastavení: +%s +Odporúča sa používať nasledujúce náhodné heslo: +rpcuser=bitcoinrpc +rpcpassword=%s +(nemusíte si pamätať toto heslo) +Užívateľské meno a heslo NESMÚ byť rovnaké. +Ak súbor neexistuje, vytvorte ho s prístupovým právom owner-readable-only čitateľné len pre majiteľa. +Tiež sa odporúča nastaviť alertnotify aby ste boli upozorňovaní na problémy; +napríklad: alertnotify=echo %%s | mail -s "Bitcoin Výstraha" admin@foo.com + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Prijateľlné šifry (prednastavené: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + Vyskytla sa chyba pri nastavovaní RPC portu %u pre počúvanie na IPv6, vraciam sa späť ku IPv4: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - + Spojiť s danou adresou a vždy na nej počúvať. Použite zápis [host]:port pre IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Priebežne obmedzuj transakcie bez poplatku na <n>*1000 bajtov za minútu (prednastavené: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Vstúpiť do regresného testovacieho módu, ktorý používa špeciálnu reťaz v ktorej môžu byť bloky v okamihu vyriešené. Pre účely regresného testovania a vývoja aplikácie. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Vojsť do režimu regresného testovania, ktorý používa špeciálnu reťaz v ktorej môžu byť bloky v okamihu vyriešené. Error: Listening for incoming connections failed (listen returned error %d) - + Chyba: Zlyhalo počúvanie prichádzajúcich spojení (listen vrátil chybu %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Transakcia bola zamietnutá! Toto sa môže stať ak niektoré coins vo vašej peňaženke už boli minuté, ako keď použijete kópiu wallet.dat a coins boli minuté z kópie ale neoznačené ako minuté tu. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + Chyba: Táto transakcia vyžaduje transakčný poplatok aspoň %s kvôli svojej sume, komplexite alebo použitiu nedávno prijatých prostriedkov. Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Vykonaj príkaz keď sa zmení transakcia peňaženky (%s v príkaze je nahradená TxID) Fees smaller than this are considered zero fee (for transaction creation) (default: - + Poplatky menšie než toto sa považujú za nulové (pre vytvorenie transakcie) (prednastavené: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Odložiť aktivitu databázy spoločnej pamäti do logu na disku každých <n> megabajtov (prednastavené: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Ako dôkladne sú overované bloky -checkblocks (0-4, prednastavené: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + V tomto režime -getproclimit kontroluje koľko blokov sa vytvorí okamžite. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Nastaviť počeť vlákien overujúcich skripty (%u až %d, 0 = auto, <0 = nechať toľkoto jadier voľných, prednastavené: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Nastaviť obmedzenie pre procesor keď je zapnuté generovanie (-1 = bez obmedzenia, prednastavené: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - + Toto je pred-testovacia verzia - použitie je na vlastné riziko - nepoužívajte na tvorbu bitcoin ani obchodovanie. Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + Nepodarilo sa pripojiť na %s na tomto počítači. Bitcoin Jadro je už pravdepodobne spustené. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Použite rozdielne SOCKS5 proxy pre dosiahnutie peer-ov cez Tor skryté služby (prednastavené: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Varovanie: -paytxfee je nastavené veľmi vysoko. Toto sú transakčné poplatky ktoré zaplatíte ak odošlete transakciu. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Varovanie: Skontroluj či je na počítači nastavený správny čas a dátum. Ak sú hodiny nastavené nesprávne, Bitcoin nebude správne pracovať. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Varovanie: Javí sa že sieť sieť úplne nesúhlasí! Niektorí mineri zjavne majú ťažkosti. + +The network does not appear to fully agree! Some miners appear to be experiencing issues. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Varovanie: Zjavne sa úplne nezhodujeme s našimi peer-mi! Možno potrebujete prejsť na novšiu verziu alebo ostatné nódy potrebujú vyššiu verziu. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Varovanie: chyba pri čítaní wallet.dad! Všetky kľúče sú čitateľné ale transakčné dáta alebo záznamy v adresári môžu byť nesprávne. Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - + Varovanie: wallet.dat je poškodený, údaje úspešne získané! Pôvodný wallet.dat uložený ako wallet.{timestamp}.bak v %s; ak váš zostatok alebo transakcie niesu správne, mali by ste súbor obnoviť zo zálohy. (default: 1) - + (predvolené: 1) (default: wallet.dat) - + (predvolené: wallet.dat) <category> can be: @@ -2787,11 +2800,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Attempt to recover private keys from a corrupt wallet.dat - + Pokus zachrániť súkromné kľúče z poškodeného wallet.dat Bitcoin Core Daemon - + Démon Jadro Bitcoin Block creation options: @@ -2799,7 +2812,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Vyčistiť zoznam transakcií peňaženky (diagnostický nástroj; zahŕňa -rescan) Connect only to the specified node(s) @@ -2807,15 +2820,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Connect through SOCKS proxy - + Pripojiť cez SOCKS proxy Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Pripojiť ku JSON-RPC na <port> (prednastavené: 8332 alebo testnet: 18332) Connection options: - + Možnosti pripojenia: Corrupted block database detected @@ -2823,19 +2836,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Debugging/Testing options: - + Možnosti ladenia/testovania: Disable safemode, override a real safe mode event (default: 0) - + Vypnúť bezpečný režim, vypnúť udalosť skutočný bezpečný režim (prednastavené: 0) Discover own IP address (default: 1 when listening and no -externalip) - + Zisti vlastnú IP adresu (predvolené: 1 pri počúvaní/listening a žiadnej -externalip) Do not load the wallet and disable wallet RPC calls - + Nenahrat peňaženku a zablokovať volania RPC. Do you want to rebuild the block database now? @@ -2847,7 +2860,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error initializing wallet database environment %s! - + Chyba spustenia databázového prostredia peňaženky %s! Error loading block database @@ -2871,7 +2884,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to listen on any port. Use -listen=0 if you want this. - + Chyba počúvania na ktoromkoľvek porte. Použi -listen=0 ak toto chcete. Failed to read block info @@ -2883,11 +2896,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to sync block index - + Zlyhalo synchronizovanie zoznamu blokov Failed to write block index - + Zlyhalo zapisovanie do zoznamu blokov Failed to write block info @@ -2899,19 +2912,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to write file info - + Zlyhalo zapisovanie informácié o súbore Failed to write to coin database - + Zlyhalo zapisovanie do databázy coins Failed to write transaction index - + Zlyhal zápis zoznamu transakcií Failed to write undo data - + Zlyhalo zapisovanie Fee per kB to add to transactions you send @@ -2919,87 +2932,87 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fees smaller than this are considered zero fee (for relaying) (default: - + Poplatky menšie než toto sa považujú za nulové (pre preposielanie) (prednastavené: Find peers using DNS lookup (default: 1 unless -connect) - + Nájsť počítače v bitcoin sieti použitím DNS vyhľadávania (predvolené: 1 okrem -connect) Force safe mode (default: 0) - + Vnútiť bezpečný režim (prenastavené: 0) Generate coins (default: 0) - + Vytvárať mince (predvolené: 0) How many blocks to check at startup (default: 288, 0 = all) - + Koľko blokov skontrolovať pri spustení (predvolené: 288, 0 = všetky) If <category> is not supplied, output all debugging information. - + Ak nie je uvedená <category>, na výstupe zobrazuj všetky informácie pre ladenie. Importing... - + Prebieha import ... Incorrect or no genesis block found. Wrong datadir for network? - + Nesprávny alebo žiadny genesis blok nájdený. Nesprávny dátový priečinok alebo sieť? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Neplatná -onion adresa: '%s' Not enough file descriptors available. - + Nedostatok kľúčových slov súboru. Prepend debug output with timestamp (default: 1) - + Na začiatok logu pre ladenie vlož dátum a čas (prednastavené: 1) RPC client options: - + Možnosti klienta RPC baník pyčo: Rebuild block chain index from current blk000??.dat files - + Znovu vytvoriť zoznam blokov zo súčasných blk000??.dat súborov Select SOCKS version for -proxy (4 or 5, default: 5) - + Zvoľte SOCKS verziu -proxy (4 alebo 5, predvolené 5) Set database cache size in megabytes (%d to %d, default: %d) - + Nastaviť veľkosť pomocnej pamäti databázy v megabajtoch (%d na %d, prednatavené: %d) Set maximum block size in bytes (default: %d) - + Nastaviť najväčšiu veľkosť bloku v bytoch (predvolené: %d) Set the number of threads to service RPC calls (default: 4) - + Nastaviť množstvo vlákien na obsluhu RPC volaní (predvolené: 4) Specify wallet file (within data directory) - + Označ súbor peňaženky (v priečinku s dátami) Spend unconfirmed change when sending transactions (default: 1) - + Míňať nepotvrdený výdavok pri odosielaní (prednastavené: 1) This is intended for regression testing tools and app development. - + Toto je mienené nástrojom pre regresné testovania a vývoj programu. Usage (deprecated, use bitcoin-cli): - + Použitie (neodporúča sa, použite bitcoin-cli): Verifying blocks... @@ -3011,11 +3024,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wait for RPC server to start - + Čakanie na štart RPC servra Wallet %s resides outside data directory %s - + Peňaženka %s sa nachádza mimo dátového priečinka %s Wallet options: @@ -3023,11 +3036,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Warning: Deprecated argument -debugnet ignored, use -debug=net - + Varovanie: Zastaralý parameter -debugnet bol ignorovaný, použite -debug=net You need to rebuild the database using -reindex to change -txindex - + Potrebujete prebudovať databázu použitím -reindex zmeniť -txindex Imports blocks from external blk000??.dat file @@ -3035,87 +3048,87 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Neviem uzamknúť data adresár %s. Jadro Bitcoin je pravdepodobne už spustené. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Vykonať príkaz keď po prijatí patričné varovanie alebo vidíme veľmi dlhé rozdvojenie siete (%s v cmd je nahradené správou) Output debugging information (default: 0, supplying <category> is optional) - + Výstup informácií pre ladenie (prednastavené: 0, uvádzanie <category> je voliteľné) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Nastaviť najväčšiu veľkosť vysoká-dôležitosť/nízke-poplatky transakcií v bajtoch (prednastavené: %d) Information Informácia - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Neplatná suma pre -minrelaytxfee=<amount>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + Neplatná suma pre -mintxfee=<amount>: '%s' Limit size of signature cache to <n> entries (default: 50000) - + Obmedziť veľkosť pomocnej pamäti pre podpisy na <n> vstupov (prednastavené: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Zaznamenávať dôležitosť transakcií a poplatky za kB ak hľadáme bloky (prednastavené: 0) Maintain a full transaction index (default: 0) - + Udržiavaj úplný zoznam transakcií (prednastavené: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Maximálna veľkosť prijímacieho zásobníka pre jedno spojenie, <n>*1000 bytov (predvolené: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Maximálna veľkosť vysielacieho zásobníka pre jedno spojenie, <n>*1000 bytov (predvolené: 1000) Only accept block chain matching built-in checkpoints (default: 1) - + Akceptuj iba kontrolné body zhodné s blockchain (prednastavené: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Pripájať sa len k nódam v sieti <net> (IPv4, IPv6 alebo Tor) Print block on startup, if found in block index - + Vytlač blok pri spustení, ak nájdený v zozname blokov Print block tree on startup (default: 0) - + Vytlačiť strom blokov pri spustení (prednastavené: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Možnosti RPC SSL: (Pozri v Bitcoin Wiki pokyny pre SSL nastavenie) RPC server options: - + Možnosti servra RPC: Randomly drop 1 of every <n> network messages - + Náhodne zahadzuj 1 z každých <n> sieťových správ Randomly fuzz 1 of every <n> network messages - + Náhodne premiešaj 1 z každých <n> sieťových správ Run a thread to flush wallet periodically (default: 1) - + Mať spustené vlákno pravidelného čístenia peňaženky (predvolené: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3123,7 +3136,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Send command to Bitcoin Core - + Poslať príkaz Jadru Bitcoin Send trace/debug info to console instead of debug.log file @@ -3131,23 +3144,23 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Set minimum block size in bytes (default: 0) - + Nastaviť minimálnu veľkosť bloku v bytoch (predvolené: 0) Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Nastaví DB_PRIVATE možnosť v db prostredí peňaženky (prednastavené: 1) Show all debugging options (usage: --help -help-debug) - + Zobraziť všetky možnosti ladenia (použitie: --help --help-debug) Show benchmark information (default: 0) - + Zobraziť porovnávacie informácie (prednastavené: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - + Zmenšiť debug.log pri spustení klienta (predvolené: 1 ak bez -debug) Signing transaction failed @@ -3159,7 +3172,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Štart služby Jadro Bitcoin System error: @@ -3171,7 +3184,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Transaction amounts must be positive - + Hodnoty transakcie musia byť väčšie ako nula (pozitívne) Transaction too large @@ -3199,11 +3212,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Zapping all transactions from wallet... - + Zmazať všetky transakcie z peňaženky... on startup - + pri štarte version @@ -3259,7 +3272,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Unable to bind to %s on this computer (bind returned error %d, %s) - + Nepodarilo sa spojiť s %s na tomto počítači (bind vrátil chybu %d, %s) Allow DNS lookups for -addnode, -seednode and -connect @@ -3286,28 +3299,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Chyba načítania wallet.dat - Invalid -proxy address: '%s' - Neplatná adresa proxy: '%s' + Invalid -proxy address: '%s' + Neplatná adresa proxy: '%s' - Unknown network specified in -onlynet: '%s' - + Unknown network specified in -onlynet: '%s' + Neznáma sieť upresnená v -onlynet: '%s' Unknown -socks proxy version requested: %i - + Neznáma verzia -socks proxy požadovaná: %i - Cannot resolve -bind address: '%s' - + Cannot resolve -bind address: '%s' + Nemožno rozriešiť -bind adress: '%s' - Cannot resolve -externalip address: '%s' - + Cannot resolve -externalip address: '%s' + Nemožno rozriešiť -externalip address: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Neplatná suma pre -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + Neplatná suma pre -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_sl_SI.ts b/src/qt/locale/bitcoin_sl_SI.ts index b966842d855..a6008f03778 100644 --- a/src/qt/locale/bitcoin_sl_SI.ts +++ b/src/qt/locale/bitcoin_sl_SI.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -10,25 +10,8 @@ <b>Jedro Bitcoina</b> različica - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - (%1-bit) - + (%1-bit) @@ -63,11 +46,11 @@ This product includes software developed by the OpenSSL Project for use in the O Delete the currently selected address from the list - + Izbriši trenutno označeni naslov iz seznama Export the data in the current tab to a file - + Izvozi podatke v trenutni zavih v datoteko &Export @@ -99,7 +82,7 @@ This product includes software developed by the OpenSSL Project for use in the O These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + To so Bitcoin naslovi za pošiljanje plačilnih čekov. Vedno preveri količino in naslov za prejemanje pred pošiljanjem kovancev. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. @@ -127,7 +110,7 @@ This product includes software developed by the OpenSSL Project for use in the O There was an error trying to save the address list to %1. - + Prišlo je do napake pri shranjevanju seznama naslovov na %1. @@ -201,17 +184,13 @@ This product includes software developed by the OpenSSL Project for use in the O Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Opozorilo: V primeru izgube gesla kriptirane denarnice, boš <b>IZGUBIL VSE SVOJE BITCOINE</b>! Are you sure you wish to encrypt your wallet? Ali ste prepričani, da želite šifrirati vašo denarnico? - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - Warning: The Caps Lock key is on! Opozorilo: imate prižgan Cap Lock @@ -247,11 +226,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed Dešifriranje denarnice spodletelo - - Wallet passphrase was successfully changed. - - - + BitcoinGUI @@ -268,7 +243,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Vozlišče Show general overview of wallet @@ -344,7 +319,7 @@ This product includes software developed by the OpenSSL Project for use in the O Modify configuration options for Bitcoin - + Spremeni konfiguracijo nastavitev za Bitcoin Backup wallet to another location @@ -363,10 +338,6 @@ This product includes software developed by the OpenSSL Project for use in the O Odpri razhroščevalno in diagnostično konzolo - &Verify message... - %Preveri sporočilo ... - - Bitcoin Bitcoin @@ -399,10 +370,6 @@ This product includes software developed by the OpenSSL Project for use in the O Za dokaz, da ste lastniki sporočil, se podpišite z Bitcoin naslovom - Verify messages to ensure they were signed with specified Bitcoin addresses - - - &File &Datoteka @@ -427,10 +394,6 @@ This product includes software developed by the OpenSSL Project for use in the O Jedro Bitcoina - Request payments (generates QR codes and bitcoin: URIs) - - - &About Bitcoin Core &O jedru Bitcoina @@ -447,14 +410,6 @@ This product includes software developed by the OpenSSL Project for use in the O Odpri Bitcoin: URI ali zahteva o plačilu - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - Bitcoin client Bitcoin odjemalec @@ -462,18 +417,6 @@ This product includes software developed by the OpenSSL Project for use in the O %n active connection(s) to Bitcoin network %n aktivna povezava v bitcoin omrežje%n aktivni povezavi v bitcoin omrežje%n aktivnih povezav v bitcoin omrežje%n aktivnih povezav v bitcoin omrežje - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - %n hour(s) %n ura%n uri%n ure%n ura @@ -488,7 +431,7 @@ This product includes software developed by the OpenSSL Project for use in the O %1 and %2 - + %1 in %2 %n year(s) @@ -499,10 +442,6 @@ This product includes software developed by the OpenSSL Project for use in the O %1 odzadaj - Last received block was generated %1 ago. - - - Transactions after this will not yet be visible. Transkacija za tem ne bo bila še na voljo. @@ -554,11 +493,7 @@ Naslov: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> Denarnica je <b>šifrirana</b> in trenutno <b>zaklenjena</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel @@ -569,10 +504,6 @@ Naslov: %4 CoinControlDialog - Coin Control Address Selection - - - Quantity: Količina: @@ -593,28 +524,20 @@ Naslov: %4 Provizija: - Low Output: - - - - After Fee: - - - Change: Sprememba: (un)select all - + (ne)izberi vse Tree mode - + Drevo List mode - + Seznam Amount @@ -658,11 +581,11 @@ Naslov: %4 Lock unspent - + Zakleni neporabljeno Unlock unspent - + Odkleni neporabljeno Copy quantity @@ -673,10 +596,6 @@ Naslov: %4 Kopiraj provizijo - Copy after fee - - - Copy bytes Kopiraj bite @@ -685,12 +604,8 @@ Naslov: %4 Kopiraj prednostno mesto - Copy low output - - - Copy change - + Kopiraj drobiž highest @@ -734,7 +649,7 @@ Naslov: %4 none - + Nič Dust @@ -753,36 +668,16 @@ Naslov: %4 V primeru, da je velikost transakcije večja od 1000 bitov, se ta oznaka se obarva rdeče. - This means a fee of at least %1 per kB is required. - - - Can vary +/- 1 byte per input. - + Se lahko razlikuje +/- 1 byte na vnos. Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - + Transakcije z višjo prioriteto imajo boljše možnosti za vključitev v blok. - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - + This label turns red, if the priority is smaller than "medium". + Oznaka se obarva rdeče, kadar je prioriteta manjša od "srednje". (no label) @@ -790,11 +685,11 @@ Naslov: %4 change from %1 (%2) - + drobiž od %1 (%2) (change) - + (drobiž) @@ -813,7 +708,7 @@ Naslov: %4 The address associated with this address list entry. This can only be modified for sending addresses. - + Naslov povezan s tem vnosom seznama naslovov. Sprememba je mogoča le za naslove namenjene pošiljanju. &Address @@ -836,12 +731,8 @@ Naslov: %4 Uredi naslov za odlive - The entered address "%1" is already in the address book. - Vnešeni naslov "&1" je že v imeniku. - - - The entered address "%1" is not a valid Bitcoin address. - Vnešeni naslov "%1" ni veljaven Bitcoin naslov. + The entered address "%1" is not a valid Bitcoin address. + Vnešeni naslov "%1" ni veljaven Bitcoin naslov. Could not unlock wallet. @@ -856,7 +747,7 @@ Naslov: %4 FreespaceChecker A new data directory will be created. - + Ustvarjena bo nova mapa za shranjevanje podatkov. name @@ -864,24 +755,20 @@ Naslov: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Mapa že obstaja. Dodaj %1, če tu želiš ustvariti novo mapo. Path already exists, and is not a directory. - + Pot že obstaja, vendar ni mapa. Cannot create data directory here. - + Na tem mestu ne moreš ustvariti nove mape. HelpMessageDialog - Bitcoin Core - Command-line options - - - Bitcoin Core Jedro Bitcoina @@ -902,8 +789,8 @@ Naslov: %4 možnosti uporabniškega vmesnika - Set language, for example "de_DE" (default: system locale) - Nastavi jezik, npr. "sl_SI" (privzeto: jezikovna oznaka sistema) + Set language, for example "de_DE" (default: system locale) + Nastavi jezik, npr. "sl_SI" (privzeto: jezikovna oznaka sistema) Start minimized @@ -911,15 +798,15 @@ Naslov: %4 Set SSL root certificates for payment request (default: -system-) - + Nastavi korenske SSL certifikate za plačilni zahtevek (privzeto: -system-) Show splash screen on startup (default: 1) - + Ob zagonu prikaži uvodni zaslon (privzeto: 1) Choose data directory on startup (default: 0) - + Ob zagonu izberi mapo za shranjevanje podatkov (privzeto: 0) @@ -934,29 +821,25 @@ Naslov: %4 As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Program poganjaš prvič. Izberi kje bo Bitcoin Core shranjeval svoje podatke. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Bitcoin Core bo prenesel in shranil kopijo Bitcoin verige blokov. V izbrano mapo bo shranjenih vsaj %1 GB podatkov, ta količina pa bo sčasoma še naraščala. Denarnica bo prav tako shranjena v to mapo. Use the default data directory - + Uporabi privzeto mapo za shranjevanje podatkov. Use a custom data directory: - + Uporabi to mapo za shranjevanje podatkov: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - - - Error Napaka @@ -966,7 +849,7 @@ Naslov: %4 (of %1GB needed) - + (od potrebnih %1 GB) @@ -985,11 +868,11 @@ Naslov: %4 Select payment request file - + Izberi datoteko plačilnega zahtevka Select payment request file to open - + Izberi datoteko plačilnega zahtevka @@ -1004,7 +887,7 @@ Naslov: %4 Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Neobvezna pristojbina k transakciji poskrbi, da je transackcija hitro opravljena. Velikost povprečne transakcije je 1 kB. Pay transaction &fee @@ -1020,75 +903,51 @@ Naslov: %4 Size of &database cache - + Velikost lokalne zbirke &podatkovne baze MB megabite - Number of script &verification threads - - - Connect to the Bitcoin network through a SOCKS proxy. - + V Bitcoin omrežje se poveži skozu SOCKS proxy. &Connect through SOCKS proxy (default proxy): - + &Poveži se skozi SOCKS proxy (privzet proxy): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - + IP naslov proxy strežnika (npr. IPv4: 127.0.0.1 ali IPv6: ::1) &Reset Options - + &Opcije resetiranja &Network &Omrežje - (0 = auto, <0 = leave that many cores free) - - - W&allet &Denarnica Expert - + Poznavalec Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - + Omogoči Coin & Control funkcijo Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Avtomatično odpri vrata Bitcoin odjemalca na usmerjevalniku. To deluje samo, če vaš usmerjevalnik podpira UPnP in je omogočen. Map port using &UPnP - + Naslavljanje vrat z uporabo &UPnP Proxy &IP: @@ -1116,19 +975,19 @@ Naslov: %4 Show only a tray icon after minimizing the window. - + Prikaži samo pomanjšano ikono programa po pomanjšitvi okna. &Minimize to the tray instead of the taskbar - + &Minimiraj na pladenj namesto na opravilno vrstico Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - + Minimiziraj namesto izhoda iz programa, ko je okno zaprto. Ko je ta opcija omogočena se bo aplikacija zaprla z izbiro opcije Zapri iz menija. M&inimize on close - + &Minimiziraj na ukaz zapri &Display @@ -1136,31 +995,15 @@ Naslov: %4 User Interface &language: - + Vmesnik uporabnika &jezik: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Tukaj je mogoče nastaviti uporabniški vmesnik za jezike. Ta nastavitev bo prikazana šele, ko boste znova zagnali Bitcoin. &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - + & &OK @@ -1176,29 +1019,9 @@ Naslov: %4 none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - + Nič - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage @@ -1222,22 +1045,10 @@ Naslov: %4 Vaše trenutno razpoložljivo stanje - Pending: - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Skupno število potrjenih transakcij, ki sicer niso bile prištete k razpoložljivem stanju - Immature: - - - - Mined balance that has not yet matured - - - Total: Skupaj: @@ -1251,7 +1062,7 @@ Naslov: %4 out of sync - + iz sinhronizacije @@ -1261,58 +1072,14 @@ Naslov: %4 Rokovanje z URI - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - Payment request error Napaka pri zahtevi plačila - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - Error communicating with %1: %2 Napaka pri povezavi z %1: %2 - Payment request can not be parsed or processed! - - - Bad response from server %1 Slab odziv strežnika %1 @@ -1332,22 +1099,14 @@ Naslov: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Napaka: Želena nahajališče datoteke "%1" ne obstaja. - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Error: Specified data directory "%1" does not exist. + Napaka: Želena nahajališče datoteke "%1" ne obstaja. Error: Invalid combination of -regtest and -testnet. Napaka: Neveljavna kombinacija -regtest and -testnet - Bitcoin Core did't yet exit safely... - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Vnesite bitcoin naslov (npr.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1390,14 +1149,6 @@ Naslov: %4 &Informacije - Debug window - - - - General - - - Using OpenSSL version OpenSSL različica v rabi @@ -1410,10 +1161,6 @@ Naslov: %4 Omrežje - Name - - - Number of connections Število povezav @@ -1454,14 +1201,6 @@ Naslov: %4 Vsote - In: - - - - Out: - - - Build date Datum izgradnje @@ -1470,20 +1209,16 @@ Naslov: %4 Razhroščevalna dnevniška datoteka - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - Clear console Počisti konzolo Welcome to the Bitcoin RPC console. - + Dobrodošli na Bitcoin RPC konzoli. Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - + Uporabi puščice za gor in dol za navigacijo po zgodovini in <b>Ctrl-L</b> za izbris izpisa na ekranu. Type <b>help</b> for an overview of available commands. @@ -1533,50 +1268,18 @@ Naslov: %4 &Sporočilo: - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - An optional label to associate with the new receiving address. Pomožna oznaka je povezana z novim sprejemnim naslovom. - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - Clear Počisti - Requested payments history - - - &Request payment &Zahtevaj plačilo - Show the selected request (does the same as double clicking an entry) - - - Show Pokaži @@ -1620,16 +1323,12 @@ Naslov: %4 &Shrani sliko.. - Request payment to %1 - - - Payment information Informacija o plačilu URI - + URI Address @@ -1653,7 +1352,7 @@ Naslov: %4 Error encoding URI into QR Code. - + Napaka pri kodiranju URIja v QR kodo. @@ -1694,10 +1393,6 @@ Naslov: %4 Pošlji kovance - Coin Control Features - - - Inputs... Vnosi... @@ -1730,26 +1425,10 @@ Naslov: %4 Provizija: - Low Output: - - - - After Fee: - - - Change: Sprememba: - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - Send to multiple recipients at once Pošlji več prejemnikom hkrati @@ -1758,10 +1437,6 @@ Naslov: %4 Dodaj &prejemnika - Clear all fields of the form. - - - Clear &All Počisti &vse @@ -1782,10 +1457,6 @@ Naslov: %4 Potrdi odliv kovancev - %1 to %2 - - - Copy quantity Kopiraj količino @@ -1798,10 +1469,6 @@ Naslov: %4 Kopiraj provizijo - Copy after fee - - - Copy bytes Kopiraj bite @@ -1810,26 +1477,14 @@ Naslov: %4 Kopiraj prednostno mesto - Copy low output - - - Copy change - - - - Total Amount %1 (= %2) - + Kopiraj drobiž or ali - The recipient address is not valid, please recheck. - - - The amount to pay must be larger than 0. Količina za plačilo mora biti večja od 0. @@ -1838,22 +1493,10 @@ Naslov: %4 Količina presega vaše dobroimetje - The total exceeds your balance when the %1 transaction fee is included. - - - Duplicate address found, can only send to each address once per send operation. Najdena kopija naslova, možnost pošiljanja na vsakega izmed naslov le enkrat ob pošiljanju. - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - Warning: Invalid Bitcoin address Opozorilo: Neveljaven Bitcoin naslov @@ -1862,10 +1505,6 @@ Naslov: %4 (ni oznake) - Warning: Unknown change address - - - Are you sure you want to send? Ali ste prepričani, da želite poslati? @@ -1893,10 +1532,6 @@ Naslov: %4 Prejemnik &plačila: - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Enter a label for this address to add it to your address book Vnesite oznako za ta naslov, ki bo shranjena v imenik @@ -1909,10 +1544,6 @@ Naslov: %4 Izberi zadnje uporabljen naslov - This is a normal payment. - - - Alt+A Alt+A @@ -1925,45 +1556,17 @@ Naslov: %4 Alt+P - Remove this entry - - - Message: Sporočilo: - This is a verified payment request. - - - Enter a label for this address to add it to the list of used addresses Vnesite oznako za ta naslov, ki bo shranjena v seznam uporabljenih naslovov - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - Bitcoin Core is shutting down... - - - Do not shut down the computer until this window disappears. Ne zaustavite računalnika dokler to okno ne izgine. @@ -1979,14 +1582,6 @@ Naslov: %4 &Podpiši sporočilo - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Choose previously used address Izberi zadnje uporabljen naslov @@ -2003,30 +1598,14 @@ Naslov: %4 Alt+P - Enter the message you want to sign here - - - Signature Podpis - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - Sign &Message Podpiši &sporočilo - Reset all sign message fields - - - Clear &All Počisti &vse @@ -2035,32 +1614,16 @@ Naslov: %4 &Preveri sporočilo - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - Verify &Message Preveri &Sporočilo - Reset all verify message fields - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Vnesite bitcoin naslov (npr.: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Kliknite "Podpiši sporočilo" za ustvaritev podpisa + Click "Sign Message" to generate signature + Kliknite "Podpiši sporočilo" za ustvaritev podpisa The entered address is invalid. @@ -2071,10 +1634,6 @@ Naslov: %4 Prosimo preverite naslov in poizkusite znova. - The entered address does not refer to a key. - - - Wallet unlock was cancelled. Odklepanje denarnice je bilo prekinjeno. @@ -2099,10 +1658,6 @@ Naslov: %4 Prosimo preverite podpis in poizkusite znova. - The signature did not match the message digest. - - - Message verification failed. Pregledovanje sporočila spodletelo. @@ -2118,21 +1673,13 @@ Naslov: %4 Jedro Bitcoina - The Bitcoin Core developers - - - [testnet] [testnet] TrafficGraphWidget - - KB/s - - - + TransactionDesc @@ -2140,14 +1687,6 @@ Naslov: %4 Odpri enoto %1 - conflicted - - - - %1/offline - - - %1/unconfirmed %1/nepotrjeno @@ -2159,10 +1698,6 @@ Naslov: %4 Status Stanje - - , broadcast through %n node(s) - - Date Datum @@ -2192,14 +1727,6 @@ Naslov: %4 oznaka - Credit - - - - matures in %n more block(s) - - - not accepted ni bilo sprejeto @@ -2232,10 +1759,6 @@ Naslov: %4 Trgovec - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - Debug information Razhroščevalna informacija @@ -2263,10 +1786,6 @@ Naslov: %4 , has not been successfully broadcast yet , še ni bila uspešno raznešena - - Open for %n more block(s) - - unknown neznano @@ -2302,14 +1821,6 @@ Naslov: %4 Količina - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - Open until %1 Odpri enoto %1 @@ -2326,22 +1837,10 @@ Naslov: %4 Generirano, toda ne sprejeto - Offline - - - Unconfirmed Nepotrjeno - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - Received with Prejeto z @@ -2469,18 +1968,10 @@ Naslov: %4 Prikaži podrobnosti transakcije - Export Transaction History - - - Exporting Failed Neuspešen izvoz - There was an error trying to save the transaction history to %1. - - - Exporting Successful Uspešen izvoz @@ -2531,11 +2022,7 @@ Naslov: %4 WalletFrame - - No wallet has been loaded. - - - + WalletModel @@ -2551,7 +2038,7 @@ Naslov: %4 Export the data in the current tab to a file - + Izvozi podatke v trenutni zavih v datoteko Backup Wallet @@ -2618,7 +2105,7 @@ Naslov: %4 Connect to a node to retrieve peer addresses, and disconnect - + Povežite se z vozliščem za pridobitev naslovov uporabnikov in nato prekinite povezavo. Specify your own public address @@ -2630,25 +2117,13 @@ Naslov: %4 Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + Število sekund za težavo pri vzpostavitvi povezave med uporabniki (privzeto: 86400) Accept command line and JSON-RPC commands Sprejmi ukaze iz ukazne vrstice in JSON-RPC - Bitcoin Core RPC client version - - - Run in the background as a daemon and accept commands Teci v ozadju in sprejemaj ukaze @@ -2657,52 +2132,6 @@ Naslov: %4 Uporabi testno omrežje - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Napaka: Transakcija ni bila sprejeta! To se je morebiti zgodilo, ker so nekateri kovanci v vaši denarnici bili že porabljeni, na primer če ste uporabili kopijo wallet.dat in so tako kovanci bili porabljeni v kopiji, ostali pa označeni kot neporabljeni. @@ -2715,150 +2144,34 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Izvedi ukaz, ko bo transakcija denarnice se spremenila (V cmd je bil TxID zamenjan za %s) - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications To je pred izdana poizkusna verzija - uporaba na lastno odgovornost - ne uporabljajte je za rudarstvo ali trgovske aplikacije - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Za doseg soležnikov preko Tor skritih storitev uporabi ločen SOCKS5 proxy (privzeto: -proxy) Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Opozorilo: napaka pri branju wallet.dat! Vsi ključi so bili pravilno prebrani, podatki o transakciji ali imenik vnešenih naslovov so morda izgubljeni ali nepravilni. - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - (default: 1) - + (privzeto: 1) (default: wallet.dat) - + (privzeto: wallet.dat) <category> can be: <kategorija> je lahko: - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - Block creation options: Možnosti ustvarjanja blokov: - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - Error: Disk space is low! Opozorilo: Premalo prostora na disku! @@ -2871,34 +2184,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Napaka: sistemska napaka: - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - Failed to write file info Zapisovanje informacij o datoteki neuspešno @@ -2907,262 +2192,34 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Neuspešno zapisovanje na bazi podatkov kovancev - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - Generate coins (default: 0) Ustvari kovance (privzeto: 0) - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - + Uvažam... Wait for RPC server to start Počakajte na zagon RPC strežnika - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - Information Informacije - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL možnosti: (glejte Bitcoin Wiki za navodla, kako nastaviti SSL) - Send command to Bitcoin Core - - - Send trace/debug info to console instead of debug.log file Pošlji sledilne/razhroščevalne informacije v konzolo namesto jih shraniti v debug.log datoteko - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - Signing transaction failed Podpisovanje transakcije spodletelo - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - System error: Sistemska napaka: @@ -3179,14 +2236,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Transkacija je prevelika - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - Username for JSON-RPC connections Uporabniško ime za JSON-RPC povezave @@ -3199,14 +2248,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Opozorilo: ta različica je zastarela, potrebna je nadgradnja! - Zapping all transactions from wallet... - - - - on startup - - - version različica @@ -3228,7 +2269,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Execute command when the best block changes (%s in cmd is replaced by block hash) - + Izvedi ukaz, ko je najboljši blok spremenjen (%s je v cmd zamenjan za iskalnik blokov) Upgrade wallet to latest format @@ -3260,11 +2301,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Unable to bind to %s on this computer (bind returned error %d, %s) - + Nemogoče je povezati s/z %s na tem računalniku (povezava je vrnila napaka %d, %s) Allow DNS lookups for -addnode, -seednode and -connect - + Omogoči DNS poizvedbe za -addnode, -seednode in -connect. Loading addresses... @@ -3287,28 +2328,28 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Napaka pri nalaganju wallet.dat - Invalid -proxy address: '%s' - + Invalid -proxy address: '%s' + Neveljaven -proxy naslov: '%s' - Unknown network specified in -onlynet: '%s' - + Unknown network specified in -onlynet: '%s' + Neznano omrežje določeno v -onlynet: '%s'. Unknown -socks proxy version requested: %i - + Neznano -socks zahtevan zastopnik različice: %i - Cannot resolve -bind address: '%s' - + Cannot resolve -bind address: '%s' + Nemogoče rešiti -bind naslova: '%s' - Cannot resolve -externalip address: '%s' - + Cannot resolve -externalip address: '%s' + Nemogoče rešiti -externalip naslova: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - + Invalid amount for -paytxfee=<amount>: '%s' + Neveljavna količina za -paytxfee=<amount>: '%s' Invalid amount @@ -3336,7 +2377,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot write default address - + Ni mogoče zapisati privzetega naslova Rescanning... @@ -3348,7 +2389,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. To use the %s option - + Za uporabo %s opcije Error @@ -3358,7 +2399,9 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + Potrebno je nastaviti rpcpassword=<password> v nastavitveni datoteki: +%s +Če datoteka ne obstaja jo ustvarite z dovoljenjem, da jo lahko bere samo uporabnik. \ No newline at end of file diff --git a/src/qt/locale/bitcoin_sq.ts b/src/qt/locale/bitcoin_sq.ts index 5d9e7b7168a..01401624cad 100644 --- a/src/qt/locale/bitcoin_sq.ts +++ b/src/qt/locale/bitcoin_sq.ts @@ -1,36 +1,11 @@ - + AboutDialog About Bitcoin Core - + Rreth Berthames Bitkoin - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,7 +18,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + &E re Copy the currently selected address to the system clipboard @@ -51,27 +26,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - - - - C&lose - + &Kopjo &Copy Address - + &Kopjo adresen Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - + Fshi adresen e selektuar nga lista &Delete @@ -79,57 +42,25 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - + Zgjidh adresen ku do te dergoni monedhat Sending addresses - + Duke derguar adresen Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - + Duke marr adresen &Edit - - - - Export Address List - + &Ndrysho Comma separated file (*.csv) Skedar i ndarë me pikëpresje(*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +79,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Futni frazkalimin @@ -173,11 +100,11 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to unlock the wallet. - Ky veprim ka nevojë per frazkalimin e portofolit tuaj që të ç'kyç portofolin. + Ky veprim ka nevojë per frazkalimin e portofolit tuaj që të ç'kyç portofolin. Unlock wallet - ç'kyç portofolin. + ç'kyç portofolin. This operation needs your wallet passphrase to decrypt the wallet. @@ -200,30 +127,14 @@ This product includes software developed by the OpenSSL Project for use in the O Konfirmoni enkriptimin e portofolit - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - + Jeni te sigurt te enkriptoni portofolin tuaj? Wallet encrypted Portofoli u enkriptua - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed Enkriptimi i portofolit dështoi @@ -237,7 +148,7 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet unlock failed - ç'kyçja e portofolit dështoi + ç'kyçja e portofolit dështoi The passphrase entered for the wallet decryption was incorrect. @@ -247,18 +158,10 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet decryption failed Dekriptimi i portofolit dështoi - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... Duke u sinkronizuar me rrjetin... @@ -267,10 +170,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Përmbledhje - Node - - - Show general overview of wallet Trego një përmbledhje te përgjithshme të portofolit @@ -283,10 +182,6 @@ This product includes software developed by the OpenSSL Project for use in the O Shfleto historinë e transaksioneve - E&xit - - - Quit application Mbyllni aplikacionin @@ -295,112 +190,32 @@ This product includes software developed by the OpenSSL Project for use in the O Trego informacionin rreth Botkoin-it - About &Qt - - - - Show information about Qt - - - &Options... &Opsione - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - Change the passphrase used for wallet encryption Ndrysho frazkalimin e përdorur per enkriptimin e portofolit - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - Bitcoin - + Bitcoin Wallet - + Portofol &Send - + &Dergo &Receive - + &Merr &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + &Shfaq / Fsheh &File @@ -424,99 +239,31 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - + Berthama Bitcoin &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - + Rreth Berthames Bitkoin %n active connection(s) to Bitcoin network %n lidhje aktive me rrjetin e Bitkoin%n lidhje aktive me rrjetin e Bitkoin - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - %1 and %2 - - - - %n year(s) - + %1 dhe %2 %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - + %1 Pas Error - - - - Warning - + Problem Information - + Informacion Up to date @@ -535,2826 +282,502 @@ This product includes software developed by the OpenSSL Project for use in the O Transaksion në ardhje - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - Portofoli po <b> enkriptohet</b> dhe është <b> i ç'kyçur</b> + Portofoli po <b> enkriptohet</b> dhe është <b> i ç'kyçur</b> Wallet is <b>encrypted</b> and currently <b>locked</b> Portofoli po <b> enkriptohet</b> dhe është <b> i kyçur</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - + Amount: + Shuma: - Quantity: - + Amount + Sasia - Bytes: - + Address + Adresë - Amount: - + Date + Data - Priority: - + Copy address + Kopjo adresën - Fee: - + yes + po - Low Output: - + no + jo - After Fee: - + (no label) + (pa etiketë) + + + EditAddressDialog - Change: - + Edit Address + Ndrysho Adresën - (un)select all - + &Label + &Etiketë - Tree mode - + &Address + &Adresa - List mode - + New receiving address + Adresë e re pritëse - Amount - Sasia + New sending address + Adresë e re dërgimi - Address - Adresë + Edit receiving address + Ndrysho adresën pritëse - Date - Data + Edit sending address + ndrysho adresën dërguese - Confirmations - + The entered address "%1" is already in the address book. + Adresa e dhënë "%1" është e zënë në librin e adresave. - Confirmed - + Could not unlock wallet. + Nuk mund të ç'kyçet portofoli. - Priority - + New key generation failed. + Krijimi i çelësit të ri dështoi. + + + FreespaceChecker - Copy address - + name + emri + + + HelpMessageDialog - Copy label - + Bitcoin Core + Berthama Bitcoin - Copy amount - + version + versioni + + + Intro - Copy transaction ID - + Welcome + Miresevini - Lock unspent - + Welcome to Bitcoin Core. + Miresevini ne Berthamen Bitcoin - Unlock unspent - + Bitcoin + Bitcoin - Copy quantity - + Error + Problem + + + OpenURIDialog + + + OptionsDialog - Copy fee - + Options + Opsionet + + + OverviewPage - Copy after fee - + Form + Formilarë - Copy bytes - + Wallet + Portofol - Copy priority - + <b>Recent transactions</b> + <b>Transaksionet e fundit</b> + + + PaymentServer + + + QObject - Copy low output - + Bitcoin + Bitcoin - Copy change - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Futni një adresë Bitkoini (p.sh. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole - highest - + &Open + &Hap - higher - + &Clear + &Pastro + + + ReceiveCoinsDialog - high - + &Label: + &Etiketë: + + + ReceiveRequestDialog - medium-high - + Address + Adresë - medium - + Amount + Sasia - low-medium - + Label + Etiketë + + + RecentRequestsTableModel - low - + Date + Data - lower - + Label + Etiketë - lowest - + Amount + Sasia - (%1 locked) - + (no label) + (pa etiketë) + + + SendCoinsDialog - none - + Send Coins + Dërgo Monedha - Dust - + Amount: + Shuma: - yes - + Send to multiple recipients at once + Dërgo marrësve të ndryshëm njëkohësisht - no - + Balance: + Balanca: - This label turns red, if the transaction size is greater than 1000 bytes. - + Confirm the send action + Konfirmo veprimin e dërgimit - This means a fee of at least %1 per kB is required. - + Confirm send coins + konfirmo dërgimin e monedhave - Can vary +/- 1 byte per input. - + The amount to pay must be larger than 0. + Shuma e paguar duhet të jetë më e madhe se 0. - Transactions with higher priority are more likely to get included into a block. - + (no label) + (pa etiketë) - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (pa etiketë) - - - change from %1 (%2) - - - - (change) - - - + - EditAddressDialog - - Edit Address - Ndrysho Adresën - - - &Label - &Etiketë - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Adresa - - - New receiving address - Adresë e re pritëse - + SendCoinsEntry - New sending address - Adresë e re dërgimi + A&mount: + Sh&uma: - Edit receiving address - Ndrysho adresën pritëse + Pay &To: + Paguaj &drejt: - Edit sending address - ndrysho adresën dërguese + Enter a label for this address to add it to your address book + Krijoni një etiketë për këtë adresë që t'ja shtoni librit të adresave - The entered address "%1" is already in the address book. - Adresa e dhënë "%1" është e zënë në librin e adresave. + &Label: + &Etiketë: - The entered address "%1" is not a valid Bitcoin address. - + Alt+A + Alt+A - Could not unlock wallet. - Nuk mund të ç'kyçet portofoli. + Paste address from clipboard + Ngjit nga memorja e sistemit - New key generation failed. - Krijimi i çelësit të ri dështoi. + Alt+P + Alt+P - + - FreespaceChecker - - A new data directory will be created. - - + ShutdownWindow + + + SignVerifyMessageDialog - name - + Alt+A + Alt+A - Directory already exists. Add %1 if you intend to create a new directory here. - + Paste address from clipboard + Ngjit nga memorja e sistemit - Path already exists, and is not a directory. - + Alt+P + Alt+P - Cannot create data directory here. - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Futni një adresë Bitkoini (p.sh. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + - HelpMessageDialog - - Bitcoin Core - Command-line options - - + SplashScreen Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - + Berthama Bitcoin - Choose data directory on startup (default: 0) - + [testnet] + [testo rrjetin] - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - + TrafficGraphWidget + + + TransactionDesc - Use the default data directory - + Open until %1 + Hapur deri më %1 - Use a custom data directory: - + %1/unconfirmed + %1/I pakonfirmuar - Bitcoin - + %1 confirmations + %1 konfirmimet - Error: Specified data directory "%1" can not be created. - + Date + Data - Error - + Amount + Sasia - GB of free space available - + , has not been successfully broadcast yet + , nuk është transmetuar me sukses deri tani - (of %1GB needed) - + unknown + i/e panjohur - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - + TransactionDescDialog - Select payment request file - + Transaction details + Detajet e transaksionit - Select payment request file to open - + This pane shows a detailed description of the transaction + Ky panel tregon një përshkrim të detajuar të transaksionit - OptionsDialog - - Options - Opsionet - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - + TransactionTableModel - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Date + Data - Map port using &UPnP - + Type + Lloji - Proxy &IP: - + Address + Adresë - &Port: - + Amount + Sasia - Port of the proxy (e.g. 9050) - + Open until %1 + Hapur deri më %1 - SOCKS &Version: - + Confirmed (%1 confirmations) + I/E konfirmuar(%1 konfirmime) - SOCKS version of the proxy (e.g. 5) - + This block was not received by any other nodes and will probably not be accepted! + Ky bllok është marrë nga ndonjë nyje dhe ka shumë mundësi të mos pranohet! - &Window - + Generated but not accepted + I krijuar por i papranuar - Show only a tray icon after minimizing the window. - + Received with + Marrë me - &Minimize to the tray instead of the taskbar - + Sent to + Dërguar drejt - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - + Payment to yourself + Pagesë ndaj vetvetes - M&inimize on close - + Mined + Minuar - &Display - + (n/a) + (p/a) + + + TransactionView - User Interface &language: - + Received with + Marrë me - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Sent to + Dërguar drejt - &Unit to show amounts in: - + Mined + Minuar - Choose the default subdivision unit to show in the interface and when sending coins. - + Copy address + Kopjo adresën - Whether to show Bitcoin addresses in the transaction list or not. - + Comma separated file (*.csv) + Skedar i ndarë me pikëpresje(*.csv) - &Display addresses in transaction list - + Date + Data - Whether to show coin control features or not. - + Type + Lloji - &OK - + Label + Etiketë - &Cancel - + Address + Adresë - default - + Amount + Sasia + + + WalletFrame + + + WalletModel - none - + Send Coins + Dërgo Monedha + + + WalletView + + + bitcoin-core - Confirm options reset - + Information + Informacion - Client restart required to activate changes. - + version + versioni - Client will be shutdown, do you want to proceed? - + Insufficient funds + Fonde te pamjaftueshme - This change would require a client restart. - + Rescanning... + Rikerkim - The supplied proxy address is invalid. - + Error + Problem - - - OverviewPage - - Form - Formilarë - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Transaksionet e fundit</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Futni një adresë Bitkoini (p.sh. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Etiketë: - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Adresë - - - Amount - Sasia - - - Label - Etiketë - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - Data - - - Label - Etiketë - - - Message - - - - Amount - Sasia - - - (no label) - (pa etiketë) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Dërgo Monedha - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - Dërgo marrësve të ndryshëm njëkohësisht - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - Balanca: - - - Confirm the send action - Konfirmo veprimin e dërgimit - - - S&end - - - - Confirm send coins - konfirmo dërgimin e monedhave - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - Shuma e paguar duhet të jetë më e madhe se 0. - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (pa etiketë) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - Sh&uma: - - - Pay &To: - Paguaj &drejt: - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - Krijoni një etiketë për këtë adresë që t'ja shtoni librit të adresave - - - &Label: - &Etiketë: - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+A - - - Paste address from clipboard - Ngjit nga memorja e sistemit - - - Alt+P - Alt+P - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - Ngjit nga memorja e sistemit - - - Alt+P - Alt+P - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Futni një adresë Bitkoini (p.sh. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - [testo rrjetin] - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Hapur deri më %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/I pakonfirmuar - - - %1 confirmations - %1 konfirmimet - - - Status - - - - , broadcast through %n node(s) - - - - Date - Data - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Sasia - - - true - - - - false - - - - , has not been successfully broadcast yet - , nuk është transmetuar me sukses deri tani - - - Open for %n more block(s) - - - - unknown - i/e panjohur - - - - TransactionDescDialog - - Transaction details - Detajet e transaksionit - - - This pane shows a detailed description of the transaction - Ky panel tregon një përshkrim të detajuar të transaksionit - - - - TransactionTableModel - - Date - Data - - - Type - Lloji - - - Address - Adresë - - - Amount - Sasia - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Hapur deri më %1 - - - Confirmed (%1 confirmations) - I/E konfirmuar(%1 konfirmime) - - - This block was not received by any other nodes and will probably not be accepted! - Ky bllok është marrë nga ndonjë nyje dhe ka shumë mundësi të mos pranohet! - - - Generated but not accepted - I krijuar por i papranuar - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Marrë me - - - Received from - - - - Sent to - Dërguar drejt - - - Payment to yourself - Pagesë ndaj vetvetes - - - Mined - Minuar - - - (n/a) - (p/a) - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - Marrë me - - - Sent to - Dërguar drejt - - - To yourself - - - - Mined - Minuar - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Skedar i ndarë me pikëpresje(*.csv) - - - Confirmed - - - - Date - Data - - - Type - Lloji - - - Label - Etiketë - - - Address - Adresë - - - Amount - Sasia - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Dërgo Monedha - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_sr.ts b/src/qt/locale/bitcoin_sr.ts index 6549c53542d..2fa6c32ea05 100644 --- a/src/qt/locale/bitcoin_sr.ts +++ b/src/qt/locale/bitcoin_sr.ts @@ -1,36 +1,15 @@ - + AboutDialog About Bitcoin Core - + O Bitcoin Coru <b>Bitcoin Core</b> version - + Bitcoin Core verzija - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,7 +22,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + Novo Copy the currently selected address to the system clipboard @@ -51,85 +30,25 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - - - - C&lose - + Kopirajte &Copy Address - + Kopirajte adresu Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - + Izbrisite trenutno izabranu adresu sa liste &Delete &Избриши - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Зарезом одвојене вредности (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -148,10 +67,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase Унесите лозинку @@ -208,14 +123,6 @@ This product includes software developed by the OpenSSL Project for use in the O Да ли сте сигурни да желите да се новчаник шифује? - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted Новчаник је шифрован @@ -255,10 +162,6 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - Sign &message... - - - Synchronizing with network... Синхронизација са мрежом у току... @@ -267,10 +170,6 @@ This product includes software developed by the OpenSSL Project for use in the O &Општи преглед - Node - - - Show general overview of wallet Погледајте општи преглед новчаника @@ -319,26 +218,6 @@ This product includes software developed by the OpenSSL Project for use in the O Промени &лозинку... - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - Send coins to a Bitcoin address Пошаљите новац на bitcoin адресу @@ -347,60 +226,16 @@ This product includes software developed by the OpenSSL Project for use in the O Изаберите могућности bitcoin-а - Backup wallet to another location - - - Change the passphrase used for wallet encryption Мењање лозинке којом се шифрује новчаник - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - Wallet новчаник &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + &Пошаљи &File @@ -422,103 +257,11 @@ This product includes software developed by the OpenSSL Project for use in the O [testnet] [testnet] - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - %n active connection(s) to Bitcoin network %n активна веза са Bitcoin мрежом%n активне везе са Bitcoin мрежом%n активних веза са Bitcoin мрежом - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - Up to date Ажурно @@ -550,69 +293,17 @@ Address: %4 Wallet is <b>encrypted</b> and currently <b>locked</b> Новчаник јс <b>шифрован</b> и тренутно <b>закључан</b> - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - Amount: Iznos: - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - Amount iznos @@ -625,18 +316,10 @@ Address: %4 datum - Confirmations - - - Confirmed Potvrdjen - Priority - - - Copy address kopiraj adresu @@ -649,2569 +332,535 @@ Address: %4 kopiraj iznos - Copy transaction ID - + (no label) + (без етикете) + + + EditAddressDialog - Lock unspent - + Edit Address + Измени адресу - Unlock unspent - + &Label + &Етикета - Copy quantity - + &Address + &Адреса - Copy fee - + The entered address "%1" is already in the address book. + Унешена адреса "%1" се већ налази у адресару. - Copy after fee - + Could not unlock wallet. + Немогуће откључати новчаник. + + + FreespaceChecker + + + HelpMessageDialog - Copy bytes - + version + верзија - Copy priority - + Usage: + Korišćenje: + + + Intro + + + OpenURIDialog + + + OptionsDialog - Copy low output - + Options + Поставке - Copy change - + &Unit to show amounts in: + &Јединица за приказивање износа: - highest - + &OK + &OK + + + OverviewPage - higher - + Form + Форма - high - + Wallet + новчаник - medium-high - + <b>Recent transactions</b> + <b>Недавне трансакције</b> + + + PaymentServer + + + QObject - medium - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Unesite Bitcoin adresu (n.pr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog - low-medium - + &Label: + &Етикета - low - + Copy label + kopiraj naziv - lower - + Copy amount + kopiraj iznos + + + ReceiveRequestDialog - lowest - + Address + Адреса - (%1 locked) - + Amount + iznos - none - + Label + Етикета + + + RecentRequestsTableModel - Dust - + Date + datum - yes - + Label + Етикета - no - + Amount + iznos - This label turns red, if the transaction size is greater than 1000 bytes. - + (no label) + (без етикете) + + + SendCoinsDialog - This means a fee of at least %1 per kB is required. - + Send Coins + Слање новца - Can vary +/- 1 byte per input. - + Amount: + Iznos: - Transactions with higher priority are more likely to get included into a block. - + Confirm the send action + Потврди акцију слања - This label turns red, if the priority is smaller than "medium". - + S&end + &Пошаљи - This label turns red, if any recipient receives an amount smaller than %1. - + Copy amount + kopiraj iznos - This means a fee of at least %1 is required. - + (no label) + (без етикете) + + + SendCoinsEntry - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (без етикете) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - Измени адресу - - - &Label - &Етикета - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - &Адреса - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - Унешена адреса "%1" се већ налази у адресару. - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - Немогуће откључати новчаник. - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - верзија - - - Usage: - Korišćenje: - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - Поставке - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - &Јединица за приказивање износа: - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - &OK - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - Форма - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - новчаник - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - <b>Недавне трансакције</b> - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Unesite Bitcoin adresu (n.pr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - &Етикета - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - kopiraj naziv - - - Copy message - - - - Copy amount - kopiraj iznos - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Адреса - - - Amount - iznos - - - Label - Етикета - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - datum - - - Label - Етикета - - - Message - - - - Amount - iznos - - - (no label) - (без етикете) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - Слање новца - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - Iznos: - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - Потврди акцију слања - - - S&end - &Пошаљи - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - kopiraj iznos - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (без етикете) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - &Етикета - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - Alt+ - - - Paste address from clipboard - - - - Alt+P - Alt+П - - - Remove this entry - - - - Message: - Poruka: - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - Alt+A - - - Paste address from clipboard - - - - Alt+P - Alt+П - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Unesite Bitcoin adresu (n.pr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - [testnet] - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - Otvorite do %1 - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - %1/nepotvrdjeno - - - %1 confirmations - %1 potvrde - - - Status - - - - , broadcast through %n node(s) - - - - Date - datum - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - етикета - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - iznos - - - true - - - - false - - - - , has not been successfully broadcast yet - , nije još uvek uspešno emitovan - - - Open for %n more block(s) - - - - unknown - nepoznato - - - - TransactionDescDialog - - Transaction details - detalji transakcije - - - This pane shows a detailed description of the transaction - Ovaj odeljak pokazuje detaljan opis transakcije - - - - TransactionTableModel - - Date - datum - - - Type - tip - - - Address - Адреса - - - Amount - iznos - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - Otvoreno do %1 - - - Confirmed (%1 confirmations) - Potvrdjena (%1 potvrdjenih) - - - This block was not received by any other nodes and will probably not be accepted! - Ovaj blok nije primljen od ostalih čvorova (nodova) i verovatno neće biti prihvaćen! - - - Generated but not accepted - Generisan ali nije prihvaćen - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - Primljen sa - - - Received from - Primljeno od - - - Sent to - Poslat ka - - - Payment to yourself - Isplata samom sebi - - - Mined - Minirano - - - (n/a) - (n/a) - - - Transaction status. Hover over this field to show number of confirmations. - Status vaše transakcije. Predjite mišem preko ovog polja da bi ste videli broj konfirmacija - - - Date and time that the transaction was received. - Datum i vreme primljene transakcije. - - - Type of transaction. - Tip transakcije - - - Destination address of transaction. - Destinacija i adresa transakcije - - - Amount removed from or added to balance. - Iznos odbijen ili dodat balansu. - - - - TransactionView - - All - Sve - - - Today - Danas - - - This week - ove nedelje - - - This month - Ovog meseca - - - Last month - Prošlog meseca - - - This year - Ove godine - - - Range... - Opseg... - - - Received with - Primljen sa - - - Sent to - Poslat ka - - - To yourself - Vama - samom sebi - - - Mined - Minirano - - - Other - Drugi - - - Enter address or label to search - Navedite adresu ili naziv koji bi ste potražili - - - Min amount - Min iznos - - - Copy address - kopiraj adresu - - - Copy label - kopiraj naziv - - - Copy amount - kopiraj iznos - - - Copy transaction ID - - - - Edit label - promeni naziv - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Зарезом одвојене вредности (*.csv) - - - Confirmed - Potvrdjen - - - Date - datum - - - Type - tip - - - Label - Етикета - - - Address - Адреса - - - Amount - iznos - - - ID - - - - Range: - Opseg: - - - to - do - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - Слање новца - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - Korišćenje: - - - List commands - Listaj komande - - - Get help for a command - Zatraži pomoć za komande - - - Options: - Opcije - - - Specify configuration file (default: bitcoin.conf) - Potvrdi željeni konfiguracioni fajl (podrazumevani:bitcoin.conf) - - - Specify pid file (default: bitcoind.pid) - Konkretizuj pid fajl (podrazumevani: bitcoind.pid) - - - Specify data directory - Gde je konkretni data direktorijum - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - Slušaj konekcije na <port> (default: 8333 or testnet: 18333) - - - Maintain at most <n> connections to peers (default: 125) - Održavaj najviše <n> konekcija po priključku (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - Prihvati komandnu liniju i JSON-RPC komande - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - Radi u pozadini kao daemon servis i prihvati komande - - - Use the test network - Koristi testnu mrežu - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - + &Label: + &Етикета - Failed to read block - + Alt+A + Alt+ - Failed to sync block index - + Alt+P + Alt+П - Failed to write block index - + Message: + Poruka: + + + ShutdownWindow + + + SignVerifyMessageDialog - Failed to write block info - + Alt+A + Alt+A - Failed to write block - + Alt+P + Alt+П - Failed to write file info - + Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Unesite Bitcoin adresu (n.pr. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + + + SplashScreen - Failed to write to coin database - + [testnet] + [testnet] + + + TrafficGraphWidget + + + TransactionDesc - Failed to write transaction index - + Open until %1 + Otvorite do %1 - Failed to write undo data - + %1/unconfirmed + %1/nepotvrdjeno - Fee per kB to add to transactions you send - + %1 confirmations + %1 potvrde - Fees smaller than this are considered zero fee (for relaying) (default: - + Date + datum - Find peers using DNS lookup (default: 1 unless -connect) - + label + етикета - Force safe mode (default: 0) - + Amount + iznos - Generate coins (default: 0) - + , has not been successfully broadcast yet + , nije još uvek uspešno emitovan - How many blocks to check at startup (default: 288, 0 = all) - + unknown + nepoznato + + + TransactionDescDialog - If <category> is not supplied, output all debugging information. - + Transaction details + detalji transakcije - Importing... - + This pane shows a detailed description of the transaction + Ovaj odeljak pokazuje detaljan opis transakcije + + + TransactionTableModel - Incorrect or no genesis block found. Wrong datadir for network? - + Date + datum - Invalid -onion address: '%s' - + Type + tip - Not enough file descriptors available. - + Address + Адреса - Prepend debug output with timestamp (default: 1) - + Amount + iznos - RPC client options: - + Open until %1 + Otvoreno do %1 - Rebuild block chain index from current blk000??.dat files - + Confirmed (%1 confirmations) + Potvrdjena (%1 potvrdjenih) - Select SOCKS version for -proxy (4 or 5, default: 5) - + This block was not received by any other nodes and will probably not be accepted! + Ovaj blok nije primljen od ostalih čvorova (nodova) i verovatno neće biti prihvaćen! - Set database cache size in megabytes (%d to %d, default: %d) - + Generated but not accepted + Generisan ali nije prihvaćen - Set maximum block size in bytes (default: %d) - + Received with + Primljen sa - Set the number of threads to service RPC calls (default: 4) - + Received from + Primljeno od - Specify wallet file (within data directory) - + Sent to + Poslat ka - Spend unconfirmed change when sending transactions (default: 1) - + Payment to yourself + Isplata samom sebi - This is intended for regression testing tools and app development. - + Mined + Minirano - Usage (deprecated, use bitcoin-cli): - + (n/a) + (n/a) - Verifying blocks... - + Transaction status. Hover over this field to show number of confirmations. + Status vaše transakcije. Predjite mišem preko ovog polja da bi ste videli broj konfirmacija - Verifying wallet... - + Date and time that the transaction was received. + Datum i vreme primljene transakcije. - Wait for RPC server to start - + Type of transaction. + Tip transakcije - Wallet %s resides outside data directory %s - + Destination address of transaction. + Destinacija i adresa transakcije - Wallet options: - + Amount removed from or added to balance. + Iznos odbijen ili dodat balansu. + + + TransactionView - Warning: Deprecated argument -debugnet ignored, use -debug=net - + All + Sve - You need to rebuild the database using -reindex to change -txindex - + Today + Danas - Imports blocks from external blk000??.dat file - + This week + ove nedelje - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + This month + Ovog meseca - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Last month + Prošlog meseca - Output debugging information (default: 0, supplying <category> is optional) - + This year + Ove godine - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Range... + Opseg... - Information - + Received with + Primljen sa - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Sent to + Poslat ka - Invalid amount for -mintxfee=<amount>: '%s' - + To yourself + Vama - samom sebi - Limit size of signature cache to <n> entries (default: 50000) - + Mined + Minirano - Log transaction priority and fee per kB when mining blocks (default: 0) - + Other + Drugi - Maintain a full transaction index (default: 0) - + Enter address or label to search + Navedite adresu ili naziv koji bi ste potražili - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - + Min amount + Min iznos - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Copy address + kopiraj adresu - Only accept block chain matching built-in checkpoints (default: 1) - + Copy label + kopiraj naziv - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Copy amount + kopiraj iznos - Print block on startup, if found in block index - + Edit label + promeni naziv - Print block tree on startup (default: 0) - + Comma separated file (*.csv) + Зарезом одвојене вредности (*.csv) - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Confirmed + Potvrdjen - RPC server options: - + Date + datum - Randomly drop 1 of every <n> network messages - + Type + tip - Randomly fuzz 1 of every <n> network messages - + Label + Етикета - Run a thread to flush wallet periodically (default: 1) - + Address + Адреса - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Amount + iznos - Send command to Bitcoin Core - + Range: + Opseg: - Send trace/debug info to console instead of debug.log file - + to + do + + + WalletFrame + + + WalletModel - Set minimum block size in bytes (default: 0) - + Send Coins + Слање новца + + + WalletView - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Backup Wallet + Backup новчаника + + + bitcoin-core - Show all debugging options (usage: --help -help-debug) - + Usage: + Korišćenje: - Show benchmark information (default: 0) - + List commands + Listaj komande - Shrink debug.log file on client startup (default: 1 when no -debug) - + Get help for a command + Zatraži pomoć za komande - Signing transaction failed - + Options: + Opcije - Specify connection timeout in milliseconds (default: 5000) - + Specify configuration file (default: bitcoin.conf) + Potvrdi željeni konfiguracioni fajl (podrazumevani:bitcoin.conf) - Start Bitcoin Core Daemon - + Specify pid file (default: bitcoind.pid) + Konkretizuj pid fajl (podrazumevani: bitcoind.pid) - System error: - + Specify data directory + Gde je konkretni data direktorijum - Transaction amount too small - + Listen for connections on <port> (default: 8333 or testnet: 18333) + Slušaj konekcije na <port> (default: 8333 or testnet: 18333) - Transaction amounts must be positive - + Maintain at most <n> connections to peers (default: 125) + Održavaj najviše <n> konekcija po priključku (default: 125) + - Transaction too large - + Accept command line and JSON-RPC commands + Prihvati komandnu liniju i JSON-RPC komande - Use UPnP to map the listening port (default: 0) - + Run in the background as a daemon and accept commands + Radi u pozadini kao daemon servis i prihvati komande - Use UPnP to map the listening port (default: 1 when listening) - + Use the test network + Koristi testnu mrežu Username for JSON-RPC connections Korisničko ime za JSON-RPC konekcije - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - version верзија - wallet.dat corrupt, salvage failed - - - Password for JSON-RPC connections Lozinka za JSON-RPC konekcije @@ -3224,14 +873,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Pošalji komande to nodu koji radi na <ip> (default: 127.0.0.1) - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - Set key pool size to <n> (default: 100) Odredi veličinu zaštićenih ključeva na <n> (default: 100) @@ -3244,10 +885,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Koristi OpenSSL (https) za JSON-RPC konekcije - Server certificate file (default: server.cert) - - - Server private key (default: server.pem) privatni ključ za Server (podrazumevan: server.pem) @@ -3256,14 +893,6 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Ova poruka Pomoći - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - Loading addresses... učitavam adrese.... @@ -3276,66 +905,18 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Грешка током учитавања wallet.dat: Новчанику је неопходна нова верзија Bitcoin-a. - Wallet needed to be rewritten: restart Bitcoin to complete - - - Error loading wallet.dat Грешка током учитавања wallet.dat - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - Loading block index... Učitavam blok indeksa... - Add a node to connect to and attempt to keep the connection open - - - Loading wallet... Новчаник се учитава... - Cannot downgrade wallet - - - - Cannot write default address - - - Rescanning... Ponovo skeniram... @@ -3343,19 +924,5 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Done loading Završeno učitavanje - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_sv.ts b/src/qt/locale/bitcoin_sv.ts index 27a8c4d0e3c..e87671768f1 100644 --- a/src/qt/locale/bitcoin_sv.ts +++ b/src/qt/locale/bitcoin_sv.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -771,8 +771,8 @@ Adress: %4 Transaktioner med högre prioritet har större sannolikhet att inkluderas i ett block. - This label turns red, if the priority is smaller than "medium". - Denna etikett blir röd om prioriteten är mindre än "medium". + This label turns red, if the priority is smaller than "medium". + Denna etikett blir röd om prioriteten är mindre än "medium". This label turns red, if any recipient receives an amount smaller than %1. @@ -842,12 +842,12 @@ Adress: %4 Redigera avsändaradress - The entered address "%1" is already in the address book. - Den angivna adressen "%1" finns redan i adressboken. + The entered address "%1" is already in the address book. + Den angivna adressen "%1" finns redan i adressboken. - The entered address "%1" is not a valid Bitcoin address. - Den angivna adressen "%1" är inte en giltig Bitcoin-adress. + The entered address "%1" is not a valid Bitcoin address. + Den angivna adressen "%1" är inte en giltig Bitcoin-adress. Could not unlock wallet. @@ -908,8 +908,8 @@ Adress: %4 UI alternativ - Set language, for example "de_DE" (default: system locale) - Ändra språk, till exempel "de_DE" (förvalt: systemets språk) + Set language, for example "de_DE" (default: system locale) + Ändra språk, till exempel "de_DE" (förvalt: systemets språk) Start minimized @@ -959,8 +959,8 @@ Adress: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Fel: Den angivna datakatalogen "%1" kan inte skapas. + Error: Specified data directory "%1" can not be created. + Fel: Den angivna datakatalogen "%1" kan inte skapas. Error @@ -1049,6 +1049,14 @@ Adress: %4 Proxyns IP-adress (t.ex. IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Tredjeparts URL:er (t.ex. en block utforskare) som finns i transaktionstabben som ett menyval i sammanhanget. %s i URL:en ersätts med tansaktionshashen. Flera URL:er är separerade med vertikala streck |. + + + Third party transaction URLs + Tredjeparts transaktions-URL:er + + Active command-line options that override above options: Aktiva kommandoradsalternativ som överrider alternativen ovan: @@ -1287,7 +1295,7 @@ Adress: %4 Varningar från näthanteraren - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. Din aktiva proxy stödjer inte SOCKS5, vilket är nödvändigt för att använda betalningsbegäran via proxy. @@ -1338,8 +1346,8 @@ Adress: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Fel: Den angivna datakatalogen "%1" finns inte. + Error: Specified data directory "%1" does not exist. + Fel: Den angivna datakatalogen "%1" finns inte. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1350,8 +1358,8 @@ Adress: %4 Fel: Felaktig kombination av -regtest och -testnet. - Bitcoin Core did't yet exit safely... - Bitcoin Core avslutades säkert... + Bitcoin Core didn't yet exit safely... + Bitcoin Core avslutades inte ännu säkert... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1527,10 +1535,6 @@ Adress: %4 ReceiveCoinsDialog - &Amount: - %Belopp: - - &Label: &Etikett: @@ -2065,8 +2069,8 @@ Adress: %4 Ange en Bitcoin-adress (t.ex. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - Klicka "Signera Meddelande" för att få en signatur + Click "Sign Message" to generate signature + Klicka "Signera Meddelande" för att få en signatur The entered address is invalid. @@ -2238,8 +2242,8 @@ Adress: %4 Handlare - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Genererade mynt måste vänta %1 block innan de kan användas. När du skapade detta block sändes det till nätverket för att läggas till i blockkedjan. Om blocket inte kommer in i kedjan kommer dess status att ändras till "accepteras inte" och kommer ej att gå att spendera. Detta kan ibland hända om en annan nod genererar ett block nästan samtidigt som dig. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Genererade mynt måste vänta %1 block innan de kan användas. När du skapade detta block sändes det till nätverket för att läggas till i blockkedjan. Om blocket inte kommer in i kedjan kommer dess status att ändras till "accepteras inte" och kommer ej att gå att spendera. Detta kan ibland hända om en annan nod genererar ett block nästan samtidigt som dig. Debug information @@ -2676,7 +2680,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, du behöver sätta ett rpclösensord i konfigurationsfilen: %s @@ -2687,7 +2691,7 @@ rpcpassword=%s Användarnamnet och lösenordet FÅR INTE bara detsamma. Om filen inte existerar, skapa den med enbart ägarläsbara filrättigheter. Det är också rekommenderat att sätta alertnotify så du meddelas om problem; -till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2771,7 +2775,7 @@ till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Varning: -paytxfee är satt väldigt hög! Detta är avgiften du kommer betala för varje transaktion. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Varning: Vänligen kolla så att din dators datum och tid är korrekt! Om din klocka går fel kommer Bitcoin inte fungera korrekt. @@ -2967,8 +2971,8 @@ till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Felaktig eller inget genesisblock hittades. Fel datadir för nätverket? - Invalid -onion address: '%s' - Ogiltig -onion adress:'%s' + Invalid -onion address: '%s' + Ogiltig -onion adress:'%s' Not enough file descriptors available. @@ -3071,12 +3075,12 @@ till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Information - Invalid amount for -minrelaytxfee=<amount>: '%s' - Ogiltigt belopp för -minrelaytxfee=<belopp>: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + Ogiltigt belopp för -minrelaytxfee=<belopp>: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - Ogiltigt belopp för -mintxfee=<belopp>: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + Ogiltigt belopp för -mintxfee=<belopp>: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3303,28 +3307,28 @@ till exempel: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo Fel vid inläsning av plånboksfilen wallet.dat - Invalid -proxy address: '%s' - Ogiltig -proxy adress: '%s' + Invalid -proxy address: '%s' + Ogiltig -proxy adress: '%s' - Unknown network specified in -onlynet: '%s' - Okänt nätverk som anges i -onlynet: '%s' + Unknown network specified in -onlynet: '%s' + Okänt nätverk som anges i -onlynet: '%s' Unknown -socks proxy version requested: %i Okänd -socks proxy version begärd: %i - Cannot resolve -bind address: '%s' - Kan inte matcha -bind adress: '%s' + Cannot resolve -bind address: '%s' + Kan inte matcha -bind adress: '%s' - Cannot resolve -externalip address: '%s' - Kan inte matcha -externalip adress: '%s' + Cannot resolve -externalip address: '%s' + Kan inte matcha -externalip adress: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - Ogiltigt belopp för -paytxfee=<belopp>:'%s' + Invalid amount for -paytxfee=<amount>: '%s' + Ogiltigt belopp för -paytxfee=<belopp>:'%s' Invalid amount diff --git a/src/qt/locale/bitcoin_th_TH.ts b/src/qt/locale/bitcoin_th_TH.ts index a26a128d932..2cbd90190bf 100644 --- a/src/qt/locale/bitcoin_th_TH.ts +++ b/src/qt/locale/bitcoin_th_TH.ts @@ -1,135 +1,30 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage Double-click to edit address or label - ดับเบิลคลิก เพื่อแก้ไขที่อยู่ หรือชื่อ + ดับเบิ้ลคลิก เพื่อแก้ไขที่อยู่ หรือชื่อ Create a new address สร้างที่อยู่ใหม่ - &New - - - Copy the currently selected address to the system clipboard คัดลอกที่อยู่ที่ถูกเลือกไปยัง คลิปบอร์ดของระบบ - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete - ลบ - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - + &ลบ Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - + คั่นไฟล์ด้วยเครื่องหมายจุลภาค (*.csv) - + AddressTableModel @@ -148,10 +43,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase ใส่รหัสผ่าน @@ -165,7 +56,7 @@ This product includes software developed by the OpenSSL Project for use in the O Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - + ใส่รหัสผ่านใหม่ให้กับกระเป๋าเงิน. <br/> กรุณาใช้รหัสผ่านของ <b> 10 หรือแบบสุ่มมากกว่าตัวอักษร </ b> หรือ <b> แปดหรือมากกว่าคำ </ b> Encrypt wallet @@ -173,7 +64,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to unlock the wallet. - + การดำเนินการนี้ต้องมีรหัสผ่านกระเป๋าเงินของคุณเพื่อปลดล็อคกระเป๋าเงิน Unlock wallet @@ -181,7 +72,7 @@ This product includes software developed by the OpenSSL Project for use in the O This operation needs your wallet passphrase to decrypt the wallet. - + การดำเนินการนี้ต้องมีรหัสผ่านกระเป๋าเงินของคุณในการถอดรหัสกระเป๋าเงิน Decrypt wallet @@ -200,36 +91,16 @@ This product includes software developed by the OpenSSL Project for use in the O ยืนยันการเข้ารหัสกระเป๋าสตางค์ - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - Wallet encrypted กระเป๋าสตางค์ถูกเข้ารหัสเรียบร้อยแล้ว - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - Wallet encryption failed การเข้ารหัสกระเป๋าสตางค์ผิดพลาด Wallet encryption failed due to an internal error. Your wallet was not encrypted. - + กระเป๋าเงินเข้ารหัสล้มเหลวเนื่องจากข้อผิดพลาดภายใน กระเป๋าเงินของคุณไม่ได้เข้ารหัส The supplied passphrases do not match. @@ -237,3124 +108,304 @@ This product includes software developed by the OpenSSL Project for use in the O Wallet unlock failed - + ปลดล็อคกระเป๋าเงินล้มเหลว The passphrase entered for the wallet decryption was incorrect. - + ป้อนรหัสผ่านสำหรับการถอดรหัสกระเป๋าเงินไม่ถูกต้อง Wallet decryption failed - + ถอดรหัสกระเป๋าเงินล้มเหลว - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - Synchronizing with network... - + กำลังทำข้อมูลให้ตรงกันกับเครือข่าย ... &Overview - - - - Node - + &ภาพรวม Show general overview of wallet - + แสดงภาพรวมทั่วไปของกระเป๋าเงิน &Transactions - + &การทำรายการ Browse transaction history - - - - E&xit - + เรียกดูประวัติการทำธุรกรรม Quit application - + ออกจากโปรแกรม Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - + แสดงข้อมูลเกี่ยวกับ Bitcoin &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - + &ตัวเลือก... Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + เปลี่ยนรหัสผ่านที่ใช้สำหรับการเข้ารหัสกระเป๋าเงิน &File - + &ไฟล์ &Settings - + &การตั้งค่า &Help - + &ช่วยเหลือ Tabs toolbar - + แถบเครื่องมือ [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - + [testnet] %n active connection(s) to Bitcoin network - + %n ที่ใช้งานการเชื่อมต่อกับเครือข่าย Bitcoin - No block source available... - + Up to date + ทันสมัย - Processed %1 of %2 (estimated) blocks of transaction history. - + Catching up... + จับได้... - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + Sent transaction + รายการที่ส่ง - %1 and %2 - - - - %n year(s) - + Incoming transaction + การทำรายการขาเข้า - %1 behind - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> + ระเป๋าเงินถูก <b>เข้ารหัส</b> และในขณะนี้ <b>ปลดล็อคแล้ว</b> - Last received block was generated %1 ago. - + Wallet is <b>encrypted</b> and currently <b>locked</b> + กระเป๋าเงินถูก <b>เข้ารหัส</b> และในปัจจุบัน <b>ล็อค </b> + + + ClientModel + + + CoinControlDialog - Transactions after this will not yet be visible. - + Address + ที่อยู่ - Error - + (no label) + (ไม่มีชื่อ) + + + EditAddressDialog - Warning - + Edit Address + แก้ไขที่อยู่ - Information - + &Label + &ชื่อ - Up to date - + &Address + &ที่อยู่ - Catching up... - + New receiving address + ที่อยู่ผู้รับใหม่ - Sent transaction - + New sending address + ที่อยู่ผู้ส่งใหม่ - Incoming transaction - + Edit receiving address + แก้ไขที่อยู่ผู้รับ - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - + Edit sending address + แก้ไขที่อยู่ผู้ส่ง - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - + The entered address "%1" is already in the address book. + ป้อนที่อยู่ "%1" ที่มีอยู่แล้วในสมุดที่อยู่ - Wallet is <b>encrypted</b> and currently <b>locked</b> - + Could not unlock wallet. + ไม่สามารถปลดล็อคกระเป๋าเงิน - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + New key generation failed. + สร้างกุญแจใหม่ล้มเหลว - ClientModel + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog - Network Alert - + Options + ตัวเลือก - + - CoinControlDialog + OverviewPage - Coin Control Address Selection - + Form + รูป - Quantity: - + <b>Recent transactions</b> + <b>รายการทำธุรกรรมล่าสุด</b> + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - Bytes: - + Address + ที่อยู่ - Amount: - + Label + ชื่อ + + + RecentRequestsTableModel - Priority: - + Label + ชื่อ - Fee: - + (no label) + (ไม่มีชื่อ) + + + SendCoinsDialog - Low Output: - + Send Coins + ส่งเหรียญ - After Fee: - + (no label) + (ไม่มีชื่อ) + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen - Change: - + [testnet] + [testnet] + + + TrafficGraphWidget + + + TransactionDesc + + + TransactionDescDialog + + + TransactionTableModel - (un)select all - + Address + ที่อยู่ + + + TransactionView - Tree mode - + Today + วันนี้ - List mode - + Comma separated file (*.csv) + คั่นไฟล์ด้วยเครื่องหมายจุลภาค (*.csv) - Amount - + Label + ชื่อ Address ที่อยู่ + + + WalletFrame + + + WalletModel - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (ไม่มีชื่อ) - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - + Send Coins + ส่งเหรียญ - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + WalletView + - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - ที่อยู่ - - - Amount - - - - Label - ชื่อ - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - ชื่อ - - - Message - - - - Amount - - - - (no label) - (ไม่มีชื่อ) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (ไม่มีชื่อ) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - ที่อยู่ - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - วันนี้ - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - ชื่อ - - - Address - ที่อยู่ - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_tr.ts b/src/qt/locale/bitcoin_tr.ts index 07d6e68f175..300716785c3 100644 --- a/src/qt/locale/bitcoin_tr.ts +++ b/src/qt/locale/bitcoin_tr.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -433,7 +433,7 @@ This product includes software developed by the OpenSSL Project for use in the O Request payments (generates QR codes and bitcoin: URIs) - Ödeme talep et (QR kodu ve bitcoin URI'si oluşturur) + Ödeme talep et (QR kodu ve bitcoin URI'si oluşturur) &About Bitcoin Core @@ -770,12 +770,12 @@ Adres: %4 Yüksek öncelikli muamelelerin bir bloğa dahil olmaları daha olasıdır. - This label turns red, if the priority is smaller than "medium". - Eğer öncelik "ortadan" düşükse bu etiket kırmızı olur. + This label turns red, if the priority is smaller than "medium". + Eğer öncelik "ortadan" düşükse bu etiket kırmızı olur. This label turns red, if any recipient receives an amount smaller than %1. - Eğer herhangi bir alıcı %1'den düşük bir meblağ alırsa bu etiket kırmızı olur. + Eğer herhangi bir alıcı %1'den düşük bir meblağ alırsa bu etiket kırmızı olur. This means a fee of at least %1 is required. @@ -787,7 +787,7 @@ Adres: %4 This label turns red, if the change is smaller than %1. - Eğer para üstü %1'den düşükse bu etiket kırmızı olur. + Eğer para üstü %1'den düşükse bu etiket kırmızı olur. (no label) @@ -841,12 +841,12 @@ Adres: %4 Gönderi adresini düzenle - The entered address "%1" is already in the address book. - Girilen "%1" adresi hâlihazırda adres defterinde mevcuttur. + The entered address "%1" is already in the address book. + Girilen "%1" adresi hâlihazırda adres defterinde mevcuttur. - The entered address "%1" is not a valid Bitcoin address. - Girilen "%1" adresi geçerli bir Bitcoin adresi değildir. + The entered address "%1" is not a valid Bitcoin address. + Girilen "%1" adresi geçerli bir Bitcoin adresi değildir. Could not unlock wallet. @@ -907,8 +907,8 @@ Adres: %4 Kullanıcı arayüzü seçenekleri - Set language, for example "de_DE" (default: system locale) - Lisan belirt, mesela "de_De" (varsayılan: sistem dili) + Set language, for example "de_DE" (default: system locale) + Lisan belirt, mesela "de_De" (varsayılan: sistem dili) Start minimized @@ -958,8 +958,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" can not be created. - Hata: belirtilen "%1" veri klasörü oluşturulamaz. + Error: Specified data directory "%1" can not be created. + Hata: belirtilen "%1" veri klasörü oluşturulamaz. Error @@ -982,7 +982,7 @@ Adres: %4 Open payment request from URI or file - Dosyadan veya URI'den ödeme talebi aç + Dosyadan veya URI'den ödeme talebi aç URI: @@ -1009,7 +1009,7 @@ Adres: %4 Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Muamelelerin hızlı işlenmesini garantilemeye yardım eden, seçime dayalı kB başı muamele ücreti. Muamelelerin çoğunluğunun boyutu 1 kB'dir. + Muamelelerin hızlı işlenmesini garantilemeye yardım eden, seçime dayalı kB başı muamele ücreti. Muamelelerin çoğunluğunun boyutu 1 kB'dir. Pay transaction &fee @@ -1017,11 +1017,11 @@ Adres: %4 Automatically start Bitcoin after logging in to the system. - Sistemde oturum açıldığında Bitcoin'i otomatik olarak başlat. + Sistemde oturum açıldığında Bitcoin'i otomatik olarak başlat. &Start Bitcoin on system login - Bitcoin'i sistem oturumuyla &başlat + Bitcoin'i sistem oturumuyla &başlat Size of &database cache @@ -1048,6 +1048,14 @@ Adres: %4 Vekil sunucusunun IP adresi (mesela IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Muameleler sekmesinde bağlam menüsü unsurları olarak görünen üçüncü taraf bağlantıları (mesela bir blok tarayıcısı). URL'deki %s, muamele hash değeri ile değiştirilecektir. Birden çok bağlantılar düşey çubuklar | ile ayrılacaktır. + + + Third party transaction URLs + Üçüncü taraf muamele URL'leri + + Active command-line options that override above options: Yukarıdaki seçeneklerin yerine geçen faal komut satırı seçenekleri: @@ -1286,12 +1294,12 @@ Adres: %4 Şebeke yöneticisi uyarısı - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Faal vekil sunucunuz, vekil vasıtasıyla ödeme talepleri için gereken SOCKS5'i desteklememektedir. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Faal vekil sunucunuz, vekil vasıtasıyla ödeme talepleri için gereken SOCKS5'i desteklememektedir. Payment request fetch URL is invalid: %1 - Ödeme talebini alma URL'i geçersiz: %1 + Ödeme talebini alma URL'i geçersiz: %1 Payment request file handling @@ -1337,8 +1345,8 @@ Adres: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - Hata: belirtilen "%1" veri klasörü yoktur. + Error: Specified data directory "%1" does not exist. + Hata: belirtilen "%1" veri klasörü yoktur. Error: Cannot parse configuration file: %1. Only use key=value syntax. @@ -1346,10 +1354,10 @@ Adres: %4 Error: Invalid combination of -regtest and -testnet. - Hata: -regtest ve -testnet'in geçersiz kombinasyonu. + Hata: -regtest ve -testnet'in geçersiz kombinasyonu. - Bitcoin Core did't yet exit safely... + Bitcoin Core didn't yet exit safely... Bitcoin Çekirdeği henüz güvenli bir şekilde çıkış yapmamıştır... @@ -1614,7 +1622,7 @@ Adres: %4 Copy &URI - &URI'yi kopyala + &URI'yi kopyala Copy &Address @@ -1658,7 +1666,7 @@ Adres: %4 Error encoding URI into QR Code. - URI'nin QR koduna kodlanmasında hata oluştu. + URI'nin QR koduna kodlanmasında hata oluştu. @@ -1947,7 +1955,7 @@ Adres: %4 A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - Bitcoin: URI'siyle ilişkili ve bilginiz için muameleyle saklanacak bir mesaj. Not: Bu mesaj Bitcoin şebekesi üzerinden gönderilmeyecektir. + Bitcoin: URI'siyle ilişkili ve bilginiz için muameleyle saklanacak bir mesaj. Not: Bu mesaj Bitcoin şebekesi üzerinden gönderilmeyecektir. This is an unverified payment request. @@ -2064,8 +2072,8 @@ Adres: %4 Bitcoin adresi giriniz (mesela 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature - İmzayı oluşturmak için "Mesaj İmzala" unsurunu tıklayın + Click "Sign Message" to generate signature + İmzayı oluşturmak için "Mesaj İmzala" unsurunu tıklayın The entered address is invalid. @@ -2237,8 +2245,8 @@ Adres: %4 Tüccar - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - Oluşturulan bitcoin'lerin harcanabilmelerinden önce %1 blok beklemeleri gerekmektedir. Bu blok, oluşturduğunuzda, blok zincirine eklenmesi için ağda yayınlandı. Zincire eklenmesi başarısız olursa, durumu "kabul edilmedi" olarak değiştirilecek ve harcanamayacaktır. Bu, bazen başka bir düğüm sizden birkaç saniye önce ya da sonra blok oluşturursa meydana gelebilir. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Oluşturulan bitcoin'lerin harcanabilmelerinden önce %1 blok beklemeleri gerekmektedir. Bu blok, oluşturduğunuzda, blok zincirine eklenmesi için ağda yayınlandı. Zincire eklenmesi başarısız olursa, durumu "kabul edilmedi" olarak değiştirilecek ve harcanamayacaktır. Bu, bazen başka bir düğüm sizden birkaç saniye önce ya da sonra blok oluşturursa meydana gelebilir. Debug information @@ -2647,7 +2655,7 @@ Adres: %4 Accept command line and JSON-RPC commands - Konut satırı ve JSON-RPC komutlarını kabul et + Komut satırı ve JSON-RPC komutlarını kabul et Bitcoin Core RPC client version @@ -2675,7 +2683,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, şu yapılandırma dosyasında rpc parolası belirtmeniz gerekir: %s @@ -2686,7 +2694,7 @@ rpcpassword=%s Kullanıcı ismi ile parolanın FARKLI olmaları gerekir. Dosya mevcut değilse, sadece sahibi için okumayla sınırlı izin ile oluşturunuz. Sorunlar hakkında bildiri almak için alertnotify unsurunu ayarlamanız tavsiye edilir; -mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2695,7 +2703,7 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - IPv6 üzerinde dinlemek için %u numaralı RPC portu kurulurken bir hata meydana geldi, IPv4'e dönülüyor: %s + IPv6 üzerinde dinlemek için %u numaralı RPC portu kurulurken bir hata meydana geldi, IPv4'e dönülüyor: %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 @@ -2739,7 +2747,7 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com How thorough the block verification of -checkblocks is (0-4, default: 3) - -checkblocks'un blok kontrolünün ne kadar kapsamlı olacağı (0 ilâ 4, varsayılan: 3) + -checkblocks'un blok kontrolünün ne kadar kapsamlı olacağı (0 ilâ 4, varsayılan: 3) In this mode -genproclimit controls how many blocks are generated immediately. @@ -2770,7 +2778,7 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Uyarı: -paytxfee çok yüksek bir değere ayarlanmış! Bu, muamele gönderirseniz ödeyeceğiniz muamele ücretidir. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. Uyarı: Lütfen bilgisayarınızın tarih ve saatinin doğru olup olmadığını kontrol ediniz! Saatiniz doğru değilse Bitcoin gerektiği gibi çalışamaz. @@ -2827,7 +2835,7 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - <port> numarasında JSON-RPC'ye bağlan (varsayılan: 8332 veya testnet: 18332) + <port> numarasında JSON-RPC'ye bağlan (varsayılan: 8332 veya testnet: 18332) Connection options: @@ -2966,8 +2974,8 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Yanlış ya da bulunamamış doğuş bloku. Şebeke için yanlış veri klasörü mü? - Invalid -onion address: '%s' - Geçersiz -onion adresi: '%s' + Invalid -onion address: '%s' + Geçersiz -onion adresi: '%s' Not enough file descriptors available. @@ -3043,7 +3051,7 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com You need to rebuild the database using -reindex to change -txindex - -txindex'i değiştirmek için veritabanını -reindex kullanarak tekrar inşa etmeniz gerekmektedir + -txindex'i değiştirmek için veritabanını -reindex kullanarak tekrar inşa etmeniz gerekmektedir Imports blocks from external blk000??.dat file @@ -3070,12 +3078,12 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Bilgi - Invalid amount for -minrelaytxfee=<amount>: '%s' - -minrelaytxfee=<amount> için geçersiz meblağ: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + -minrelaytxfee=<amount> için geçersiz meblağ: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - -mintxfee=<amount> için geçersiz meblağ: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + -mintxfee=<amount> için geçersiz meblağ: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3295,35 +3303,35 @@ mesela: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Wallet needed to be rewritten: restart Bitcoin to complete - Cüzdanın tekrar yazılması gerekiyordu: işlemi tamamlamak için Bitcoin'i yeniden başlatınız + Cüzdanın tekrar yazılması gerekiyordu: işlemi tamamlamak için Bitcoin'i yeniden başlatınız Error loading wallet.dat wallet.dat dosyasının yüklenmesinde hata oluştu - Invalid -proxy address: '%s' - Geçersiz -proxy adresi: '%s' + Invalid -proxy address: '%s' + Geçersiz -proxy adresi: '%s' - Unknown network specified in -onlynet: '%s' - -onlynet için bilinmeyen bir şebeke belirtildi: '%s' + Unknown network specified in -onlynet: '%s' + -onlynet için bilinmeyen bir şebeke belirtildi: '%s' Unknown -socks proxy version requested: %i Bilinmeyen bir -socks vekil sürümü talep edildi: %i - Cannot resolve -bind address: '%s' - -bind adresi çözümlenemedi: '%s' + Cannot resolve -bind address: '%s' + -bind adresi çözümlenemedi: '%s' - Cannot resolve -externalip address: '%s' - -externalip adresi çözümlenemedi: '%s' + Cannot resolve -externalip address: '%s' + -externalip adresi çözümlenemedi: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - -paytxfee=<meblağ> için geçersiz meblağ: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + -paytxfee=<meblağ> için geçersiz meblağ: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_uk.ts b/src/qt/locale/bitcoin_uk.ts index d78775319fa..85655e9928a 100644 --- a/src/qt/locale/bitcoin_uk.ts +++ b/src/qt/locale/bitcoin_uk.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Про Bitcoin Core <b>Bitcoin Core</b> version - + Версія <b>Bitcoin Core</b>: @@ -29,11 +29,11 @@ This product includes software developed by the OpenSSL Project for use in the O The Bitcoin Core developers - + Розробники Bitcoin Core (%1-bit) - + (%1-бітний) @@ -48,7 +48,7 @@ This product includes software developed by the OpenSSL Project for use in the O &New - + Но&ва Copy the currently selected address to the system clipboard @@ -56,11 +56,11 @@ This product includes software developed by the OpenSSL Project for use in the O &Copy - + &Копіювати C&lose - + З&акрити &Copy Address @@ -76,7 +76,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Export - & Експорт + &Експорт &Delete @@ -84,31 +84,31 @@ This product includes software developed by the OpenSSL Project for use in the O Choose the address to send coins to - + Виберіть адресу для відправлення на неї монет Choose the address to receive coins with - + Виберіть адресу для отримання монет C&hoose - + &Обрати Sending addresses - + Адреси для відправлення Receiving addresses - + Адреси для отримання These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - Це ваші Bitcoin адреси для відправки платежів. Перед відправкою монети Завжди перевіряйте суму та адресу прийому. + Це ваші Bitcoin-адреси для відправлення платежів. Перед відправленням монет завжди перевіряйте суму та адресу прийому. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Це ваша нова Bitcoin адреса для отримування платежів. Рекомендовано використовувати нову адресу для кожної транзакції. Copy &Label @@ -120,19 +120,19 @@ This product includes software developed by the OpenSSL Project for use in the O Export Address List - + Експортувати список адрес Comma separated file (*.csv) - Файли відділені комами (*.csv) + Значення, розділені комою (*.csv) Exporting Failed - + Помилка експорту There was an error trying to save the address list to %1. - + Виникла помилка при спробі зберігання адрес до %1. @@ -214,7 +214,7 @@ This product includes software developed by the OpenSSL Project for use in the O IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - ВАЖЛИВО: Всі попередні резервні копії, які ви зробили з вашого гаманця файл повинен бути замінений новоствореному, зашифрованому файлі гаманця. З міркувань безпеки, попередні резервні копії в незашифрованому файлі гаманець стане марним, як тільки ви починаєте використовувати нову, зашифрований гаманець. + ВАЖЛИВО: Всі попередні резервні копії, які ви зробили з вашого файлу гаманця повинні бути замінені новоствореним, зашифрованим файлом гаманця. З міркувань безпеки, попередні резервні копії незашифрованого файла гаманця стануть марними одразу ж, як тільки ви почнете використовувати новий, зашифрований гаманець. Warning: The Caps Lock key is on! @@ -226,7 +226,7 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - Біткоін-клієнт буде закрито для завершення процесу шифрування. Пам'ятайте, що шифрування гаманця не може повністю захистити ваші біткоіни від крадіжки, у випадку якщо ваш комп'ютер буде інфіковано шкідливими програмами. + Біткоін-клієнт буде закрито для завершення процесу шифрування. Пам'ятайте, що шифрування гаманця не може повністю захистити ваші біткоіни від крадіжки, у випадку якщо ваш комп'ютер буде інфіковано шкідливими програмами. Wallet encryption failed @@ -246,7 +246,7 @@ This product includes software developed by the OpenSSL Project for use in the O The passphrase entered for the wallet decryption was incorrect. - Введений пароль є невірним. + Введений пароль є неправильним. Wallet decryption failed @@ -273,7 +273,7 @@ This product includes software developed by the OpenSSL Project for use in the O Node - + Вузол Show general overview of wallet @@ -325,15 +325,15 @@ This product includes software developed by the OpenSSL Project for use in the O &Sending addresses... - + Адреси для &відправлення... &Receiving addresses... - + Адреси для &отримання... Open &URI... - + Відкрити &URI Importing blocks from disk... @@ -369,7 +369,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Verify message... - Перевірити повідомлення... + П&еревірити повідомлення... Bitcoin @@ -429,35 +429,35 @@ This product includes software developed by the OpenSSL Project for use in the O Bitcoin Core - Bitcoin Ядро + Bitcoin Core Request payments (generates QR codes and bitcoin: URIs) - + Створити запит платежу (генерує QR-код та bitcoin: URI) &About Bitcoin Core - + &Про Bitcoin Core Show the list of used sending addresses and labels - + Показати список адрес і міток, що були використані для відправлення Show the list of used receiving addresses and labels - + Показати список адрес і міток, що були використані для отримання Open a bitcoin: URI or payment request - + Відкрити bitcoin: URI чи запит платежу &Command-line options - + Параметри командного рядка Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Показати довідку Bitcoin Core для отримання переліку можливих параметрів командного рядка. Bitcoin client @@ -465,15 +465,15 @@ This product includes software developed by the OpenSSL Project for use in the O %n active connection(s) to Bitcoin network - %n активне з'єднання з мережею%n активні з'єднання з мережею%n активних з'єднань з мережею + %n активне з'єднання з мережею%n активні з'єднання з мережею%n активних з'єднань з мережею No block source available... - Ні блок джерела доступні ... + Недоступно жодного джерела блоків... Processed %1 of %2 (estimated) blocks of transaction history. - + Оброблено %1 з %2 (приблизно) блоків історії транзакцій. Processed %1 blocks of transaction history. @@ -481,35 +481,35 @@ This product includes software developed by the OpenSSL Project for use in the O %n hour(s) - + %n година%n години%n годин %n day(s) - + %n день%n дні%n днів %n week(s) - + %n тиждень%n тижня%n тижнів %1 and %2 - + %1 та %2 %n year(s) - + %n рік%n роки%n років %1 behind - + %1 позаду Last received block was generated %1 ago. - + Останній отриманий блок було згенеровано %1 тому. Transactions after this will not yet be visible. - Угоди після цього буде ще не буде видно. + Пізніші транзакції не буде видно. Error @@ -537,7 +537,7 @@ This product includes software developed by the OpenSSL Project for use in the O Incoming transaction - Отримані перекази + Отримані транзакції Date: %1 @@ -561,7 +561,7 @@ Address: %4 A fatal error occurred. Bitcoin can no longer continue safely and will quit. - Сталася фатальна помилка. Bitcoin більше не може продовжувати безпечно і піде. + Сталася фатальна помилка. Bitcoin завершить роботу. @@ -575,15 +575,15 @@ Address: %4 CoinControlDialog Coin Control Address Selection - + Вибір адрес для керування монетами Quantity: - + Кількість: Bytes: - + Байтів: Amount: @@ -591,35 +591,35 @@ Address: %4 Priority: - + Пріорітет: Fee: - + Комісія: Low Output: - + Малий вихід: After Fee: - + Після комісії: Change: - + Решта: (un)select all - + Вибрати/зняти всі Tree mode - + Деревом List mode - + Списком Amount @@ -635,7 +635,7 @@ Address: %4 Confirmations - + Підтверджень Confirmed @@ -643,7 +643,7 @@ Address: %4 Priority - + Пріоритет Copy address @@ -663,131 +663,131 @@ Address: %4 Lock unspent - + Заблокувати Unlock unspent - + Розблокувати Copy quantity - + Копіювати кількість Copy fee - + Копіювати комісію Copy after fee - + Копіювати після комісії Copy bytes - + Копіювати байти Copy priority - + Копіювати пріорітет Copy low output - + Копіювати малий вихід Copy change - + Копіювати решту highest - + найвищий higher - + вищий high - + високий medium-high - + вище за середній medium - + середній low-medium - + нижче за середній low - + низький lower - + нижчий lowest - + найнижчий (%1 locked) - + (%1 заблоковано) none - + відсутній Dust - + Пил yes - + так no - + ні This label turns red, if the transaction size is greater than 1000 bytes. - + Ця позначка буде червоною, якщо розмір транзакції вищий за 1000 байт. This means a fee of at least %1 per kB is required. - + Це означає, що необхідно сплатити комісію (щонайменше %1 за КБ). Can vary +/- 1 byte per input. - + Може відрізнятися на +/- 1 байт за вхід. Transactions with higher priority are more likely to get included into a block. - + Транзакції з вищим пріоритетом мають більше шансів бути включеними до блоку. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Ця позначка буде червоною, якщо пріоритет транзакції нижчий за «середній». This label turns red, if any recipient receives an amount smaller than %1. - + Ця позначка буде червоною, якщо будь хто з отримувачів отримає менше ніж %1. This means a fee of at least %1 is required. - + Це означає, що необхідно сплатити щонайменше %1 комісії. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Суми, що менші за 0.546 мінімальних комісій ретрансляції, відображаються як пил. This label turns red, if the change is smaller than %1. - + Ця позначка буде червоною, якщо решта менша за %1. (no label) @@ -795,11 +795,11 @@ Address: %4 change from %1 (%2) - + решта з %1 (%2) (change) - + (решта) @@ -814,11 +814,11 @@ Address: %4 The label associated with this address list entry - + Мітка, пов'язана з цим записом списку адрес The address associated with this address list entry. This can only be modified for sending addresses. - + Адреса, пов'язана з цим записом списку адрес. Це поле може бути модифіковане лише для адрес відправлення. &Address @@ -841,11 +841,11 @@ Address: %4 Редагувати адресу для відправлення - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. Введена адреса «%1» вже присутня в адресній книзі. - The entered address "%1" is not a valid Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. Введена адреса «%1» не є коректною адресою в мережі Bitcoin. @@ -861,7 +861,7 @@ Address: %4 FreespaceChecker A new data directory will be created. - + Буде створена новий каталог даних. name @@ -869,30 +869,30 @@ Address: %4 Directory already exists. Add %1 if you intend to create a new directory here. - + Каталог вже існує. Додайте %1, якщо ви мали намір створити там новий каталог. Path already exists, and is not a directory. - + Шлях вже існує і не є каталогом. Cannot create data directory here. - + Тут неможливо створити каталог даних. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - Параметри командного рядка Bitcoin Core - Bitcoin Ядро + Bitcoin Core version - версія + версії Usage: @@ -907,8 +907,8 @@ Address: %4 Параметри інтерфейсу - Set language, for example "de_DE" (default: system locale) - Встановлення мови, наприклад "de_DE" (типово: системна) + Set language, for example "de_DE" (default: system locale) + Встановлення мови, наприклад "de_DE" (типово: системна) Start minimized @@ -916,7 +916,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + Вказати кореневі SSL-сертифікати для запиту платежу (типово: -системні-) Show splash screen on startup (default: 1) @@ -924,7 +924,7 @@ Address: %4 Choose data directory on startup (default: 0) - + Обрати каталог даних під час запуску (типово: 0) @@ -935,31 +935,31 @@ Address: %4 Welcome to Bitcoin Core. - + Ласкаво просимо в Bitcoin Core. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Оскільки це перший запуск програми, ви можете обрати де Bitcoin Core буде зберігати дані. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Bitcoin Core завантажить та збереже копію ланцюжка блоків Bitcoin. Щонайменше %1ГБ даних буде збережено в цьому каталозі. Гаманець теж буде збережено в цьому каталозі. Use the default data directory - + Використовувати типовий каталог даних Use a custom data directory: - + Використовувати свій каталог даних: Bitcoin Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Помилка: неможливо створити обраний каталог даних «%1». Error @@ -971,30 +971,30 @@ Address: %4 (of %1GB needed) - + (з %1Gb, що потрібно) OpenURIDialog Open URI - + Відкрити URI Open payment request from URI or file - + Відкрити запит платежу з URI або файлу URI: - + URI: Select payment request file - + Виберіть файл запиту платежу Select payment request file to open - + Виберіть файл запиту платежу для відкриття @@ -1025,31 +1025,39 @@ Address: %4 Size of &database cache - + Розмір &кешу бази даних MB - + МБ Number of script &verification threads - + Кількість потоків сценарію перевірки Connect to the Bitcoin network through a SOCKS proxy. - + Підключатись до мережі Bitcoin через SOCKS-проксі. &Connect through SOCKS proxy (default proxy): - + &Підключатись через SOCKS-проксі (типовий проксі): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - + IP-адреса проксі-сервера (наприклад IPv4: 127.0.0.1 / IPv6: ::1) + + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + Сторонні URL (наприклад, block explorer), що з'являться на вкладці транзакцій у вигляді пункту контекстного меню. %s в URL буде замінено на хеш транзакції. Для відокремлення URLів використовуйте вертикальну риску |. + + + Third party transaction URLs + Сторонні URL транзакцій Active command-line options that override above options: - + Активовані параметри командного рядка, що перекривають вищевказані параметри: Reset all client options to default. @@ -1065,27 +1073,27 @@ Address: %4 (0 = auto, <0 = leave that many cores free) - + (0 = автоматично, <0 = вказує кількість вільних ядер) W&allet - + Г&аманець Expert - + Експерт Enable coin &control features - + Ввімкнути &керування монетами If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - + Якщо вимкнути витрату непідтвердженої решти, то решту від транзакції не можна буде використати, допоки ця транзакція не матиме хоча б одне підтвердження. Це також впливає на розрахунок балансу. &Spend unconfirmed change - + &Витрачати непідтверджену решту Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1161,11 +1169,11 @@ Address: %4 &Display addresses in transaction list - &Відображати адресу в списку транзакцій + &Відображати адреси в списку транзакцій Whether to show coin control features or not. - + Показати або сховати керування монетами. &OK @@ -1181,7 +1189,7 @@ Address: %4 none - + відсутні Confirm options reset @@ -1189,15 +1197,15 @@ Address: %4 Client restart required to activate changes. - + Для застосування змін необхідно перезапустити клієнта. Client will be shutdown, do you want to proceed? - + Клієнт вимкнеться, продовжувати? This change would require a client restart. - + Ця зміна вступить в силу після перезапуску клієнта The supplied proxy address is invalid. @@ -1220,35 +1228,35 @@ Address: %4 Available: - + Наявно: Your current spendable balance - Ваш поточний баланс расходуемого + Ваш поточний підтверджений баланс Pending: - + Очікується: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - Всього угод, які ще мають бути підтверджені, і до цих пір не враховуються в расходуемого балансу + Сума монет у непідтверджених транзакціях Immature: - незрілі: + Незрілі: Mined balance that has not yet matured - Замінований баланс, який ще не дозрів + Баланс видобутих та ще недозрілих монет Total: - всього: + Всього: Your current total balance - Ваше поточне Сукупний баланс + Ваш поточний сукупний баланс <b>Recent transactions</b> @@ -1267,67 +1275,67 @@ Address: %4 URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - Неможливо обробити URI! Це може бути викликано неправильною Bitcoin-адресою, чи невірними параметрами URI. + Неможливо обробити URI! Причиною цього може бути некоректна Bitcoin-адреса або неправильні параметри URI. Requested payment amount of %1 is too small (considered dust). - + Сума запиту платежу для %1 занадто мала (вважається пилом) Payment request error - + Помилка запиту платежу Cannot start bitcoin: click-to-pay handler - + Неможливо запустити bitcoin: обробник click-to-pay Net manager warning - + Попередження менеджера мережі - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Ваш поточний проксі не підтримує SOCKS5; підтримка SOCKS5 необхідна для запитів платежу через проксі. Payment request fetch URL is invalid: %1 - + URL запиту платежу є некоректним: %1 Payment request file handling - + Обробка файлу запиту платежу Payment request file can not be read or processed! This can be caused by an invalid payment request file. - + Неможливо прочитати/обробити файл запиту платежу! Ймовірно, файл пошкоджено. Unverified payment requests to custom payment scripts are unsupported. - + Неперевірені запити платежів з власними платіжними сценаріями не підтримуються. Refund from %1 - + Відшкодування з %1 Error communicating with %1: %2 - + Помилка зв'язку з %1: %2 Payment request can not be parsed or processed! - + Неможливо розпізнати/обробити запит платежу! Bad response from server %1 - + Погана відповідь від сервера %1 Payment acknowledged - + Платіж підтверджено Network request error - + Помилка мережевого запиту @@ -1337,20 +1345,20 @@ Address: %4 Bitcoin - Error: Specified data directory "%1" does not exist. - + Error: Specified data directory "%1" does not exist. + Помилка: Вказаного каталогу даних «%1» не існує. Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Помилка: Неможливо розібрати файл конфігурації: %1. Використовуйте наступний синтаксис: ключ=значення. Error: Invalid combination of -regtest and -testnet. - + Помилка: Неможливо скомбінувати -regtest і -testnet. - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + Bitcoin Core ще не завершив роботу... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -1373,7 +1381,7 @@ Address: %4 PNG Image (*.png) - + Зображення PNG (*.png) @@ -1396,11 +1404,11 @@ Address: %4 Debug window - + Вікно зневадження General - + Загальна Using OpenSSL version @@ -1448,23 +1456,23 @@ Address: %4 &Network Traffic - + &Мережевий трафік &Clear - + &Очистити Totals - + всього: In: - + Вхідних: Out: - + Вихідних: Build date @@ -1476,7 +1484,7 @@ Address: %4 Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - Відкрийте налагодження файл журналу Bitcoin з поточного каталогу даних. Це може зайняти кілька секунд для великих файлів журналів. + Відкрийте файл журналу налагодження Bitcoin з поточного каталогу даних. Це може зайняти кілька секунд для великих файлів журналів. Clear console @@ -1496,31 +1504,31 @@ Address: %4 %1 B - + %1 Б %1 KB - + %1 КБ %1 MB - + %1 МБ %1 GB - + %1 ГБ %1 m - + %1 хв %1 h - + %1 год %1 h %2 m - + %1 год %2 хв @@ -1539,27 +1547,27 @@ Address: %4 Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - + Повторно використати одну з адрес. Повторне використання адрес створює ризики безпеки та конфіденційності. Не використовуйте її, окрім як для створення повторного запиту платежу. R&euse an existing receiving address (not recommended) - + По&вторно використати адресу для отримання (не рекомендується) An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Необов'язкове повідомлення на додаток до запиту платежу, котре буде показане під час відкриття запиту. Примітка: Це повідомлення не буде відправлено з платежем через мережу Bitcoin. An optional label to associate with the new receiving address. - + Необов'язкове поле для мітки нової адреси отримувача. Use this form to request payments. All fields are <b>optional</b>. - + Використовуйте цю форму, щоб отримати платежі. Всі поля є <b>необов'язковими</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Необов'язкове поле для суми запиту. Залиште це поле пустим або впишіть нуль, щоб не надсилати у запиті конкретної суми. Clear all fields of the form. @@ -1571,27 +1579,27 @@ Address: %4 Requested payments history - + Історія запитів платежу &Request payment - + Н&адіслати запит платежу Show the selected request (does the same as double clicking an entry) - + Показати вибраний запит (робить те ж саме, що й подвійний клік по запису) Show - + Показати Remove the selected entries from the list - + Вилучити вибрані записи зі списку Remove - + Вилучити Copy label @@ -1599,7 +1607,7 @@ Address: %4 Copy message - + Скопіювати повідомлення Copy amount @@ -1614,11 +1622,11 @@ Address: %4 Copy &URI - + Скопіювати URI Copy &Address - + Скопіювати адресу &Save Image... @@ -1626,15 +1634,15 @@ Address: %4 Request payment to %1 - + Запит платежу на %1 Payment information - + Інформація про платіж URI - + URI Address @@ -1685,11 +1693,11 @@ Address: %4 (no message) - + (без повідомлення) (no amount) - + (без суми) @@ -1700,59 +1708,59 @@ Address: %4 Coin Control Features - + Керування монетами Inputs... - + Входи... automatically selected - + вибираються автоматично Insufficient funds! - + Недостатньо коштів! Quantity: - + Кількість: Bytes: - + Байтів: Amount: - Кількість: + Сума: Priority: - + Пріорітет: Fee: - + Комісія: Low Output: - + Малий вихід: After Fee: - + Після комісії: Change: - + Решта: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Якщо це поле активовано, але адреса для решти відсутня або некоректна, то решта буде відправлена на новостворену адресу. Custom change address - + Вказати адресу для решти Send to multiple recipients at once @@ -1788,11 +1796,11 @@ Address: %4 %1 to %2 - + %1 на %2 Copy quantity - + Копіювати кількість Copy amount @@ -1800,35 +1808,35 @@ Address: %4 Copy fee - + Копіювати комісію Copy after fee - + Копіювати після комісії Copy bytes - + Копіювати байти Copy priority - + Копіювати пріорітет Copy low output - + Копіювати малий вихід Copy change - + Копіювати решту Total Amount %1 (= %2) - + Всього %1 (= %2) or - + або The recipient address is not valid, please recheck. @@ -1836,7 +1844,7 @@ Address: %4 The amount to pay must be larger than 0. - Кількість монет для відправлення повинна бути більшою 0. + Кількість монет для відправлення повинна бути більше 0. The amount exceeds your balance. @@ -1852,15 +1860,15 @@ Address: %4 Transaction creation failed! - + Не вдалося створити транзакцію! The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Транзакцію відхилено! Це може статись, якщо декілька монет з вашого гаманця вже використані, наприклад, якщо ви використовуєте одну копію гаманця (wallet.dat), а монети були використані з іншої копії, але не позначені як використані в цій. Warning: Invalid Bitcoin address - + Увага: Неправильна Bitcoin-адреса (no label) @@ -1868,7 +1876,7 @@ Address: %4 Warning: Unknown change address - + Увага: Невідома адреса для решти Are you sure you want to send? @@ -1876,15 +1884,15 @@ Address: %4 added as transaction fee - + додано як комісія за транзакцію Payment request expired - + Запит платежу прострочено. Invalid payment address %1 - + Помилка в адресі платежу %1 @@ -1899,7 +1907,7 @@ Address: %4 The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Звернення до відправити платіж на (наприклад 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) + Адреса для відправлення платежу (наприклад 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) Enter a label for this address to add it to your address book @@ -1915,7 +1923,7 @@ Address: %4 This is a normal payment. - + Це звичайний платіж. Alt+A @@ -1931,7 +1939,7 @@ Address: %4 Remove this entry - + Видалити цей запис Message: @@ -1939,23 +1947,23 @@ Address: %4 This is a verified payment request. - + Це перевірений запит платежу. Enter a label for this address to add it to the list of used addresses - + Введіть мітку для цієї адреси для додавання її в список використаних адрес A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Повідомлення, що було додане до bitcoin:URI та буде збережено разом з транзакцією для довідки. Примітка: Це повідомлення не буде відправлено в мережу Bitcoin. This is an unverified payment request. - + Це неперевірений запит платежу. Pay To: - + Отримувач: Memo: @@ -1966,11 +1974,11 @@ Address: %4 ShutdownWindow Bitcoin Core is shutting down... - + Bitcoin Core вимикається... Do not shut down the computer until this window disappears. - + Не вимикайте комп’ютер до зникнення цього вікна. @@ -1985,7 +1993,7 @@ Address: %4 You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - Ви можете зареєструватися повідомленнями зі своїми адресами, щоб довести, що ви є їх власником. Будьте обережні, щоб не підписувати що-небудь неясне, як фішинг-атак може спробувати обдурити вас в підписанні вашу особистість до них. Тільки підписати повністю докладні свідчення, користувач зобов'язується. + Ви можете підписувати повідомлення зі своїми адресами, щоб довести, що ви є їх власником. Остерігайтеся підписувати будь-що незрозуміле, так як за допомогою фішинг-атаки вас можуть спробувати обдурити для отримання вашого підпису під чужими словами. Підписуйте тільки ті повідомлення, з якими ви повністю згодні. The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2041,7 +2049,7 @@ Address: %4 Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Введіть адресу підписання, повідомлення (забезпечення копіюванні розриви рядків, прогалини, вкладки і т.д. точно) і підпис нижче, щоб перевірити повідомлення. Будьте обережні, щоб не читати далі в підпис, ніж те, що в підписаному самого повідомлення, щоб уникнути обдурять нападу чоловік-в-середній. + Введіть нижче адресу підпису, повідомлення (впевніться, що ви точно скопіювали символи завершення рядку, табуляцію, пробіли тощо) та підпис для перевірки повідомлення. Впевніться, що в підпис не було додано зайвих символів: це допоможе уникнути атак типу «людина посередині». The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2064,7 +2072,7 @@ Address: %4 Введіть адресу Bitcoin (наприклад 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature + Click "Sign Message" to generate signature Натисніть кнопку «Підписати повідомлення», для отримання підпису @@ -2077,11 +2085,11 @@ Address: %4 The entered address does not refer to a key. - Введений адреса не відноситься до ключа. + Введена адреса не відноситься до ключа. Wallet unlock was cancelled. - Розблокування Гаманець був скасований. + Розблокування гаманця було скасоване. Private key for the entered address is not available. @@ -2105,7 +2113,7 @@ Address: %4 The signature did not match the message digest. - Підпис не відповідає дайджест повідомлення. + Підпис не збігається з хешем повідомлення. Message verification failed. @@ -2120,11 +2128,11 @@ Address: %4 SplashScreen Bitcoin Core - Bitcoin Ядро + Bitcoin Core The Bitcoin Core developers - + Розробники Bitcoin Core [testnet] @@ -2142,11 +2150,11 @@ Address: %4 TransactionDesc Open until %1 - Відкрити до %1 + Відкрито до %1 conflicted - + суперечить %1/offline @@ -2166,7 +2174,7 @@ Address: %4 , broadcast through %n node(s) - + , розіслано через %n вузол, розіслано через %n вузли, розіслано через %n вузлів Date @@ -2202,7 +2210,7 @@ Address: %4 matures in %n more block(s) - + «дозріє» через %n блок«дозріє» через %n блоки«дозріє» через %n блоків not accepted @@ -2234,15 +2242,15 @@ Address: %4 Merchant - + Продавець - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Після генерації монет, потрібно зачекати %1 блоків, перш ніж їх можна буде використати. Коли ви згенерували цей блок, його було відправлено в мережу для того, щоб він був доданий до ланцюжка блоків. Якщо ця процедура не вдасться, статус буде змінено на «не підтверджено» і ви не зможете витратити згенеровані монети. Таке може статись, якщо хтось інший згенерував блок на декілька секунд раніше. Debug information - Отладочна інформація + Налагоджувальна інформація Transaction @@ -2270,11 +2278,11 @@ Address: %4 Open for %n more block(s) - + Відкрито на %n блокВідкрито на %n блокиВідкрито на %n блоків unknown - невідомий + невідомо @@ -2308,15 +2316,15 @@ Address: %4 Immature (%1 confirmations, will be available after %2) - + Незрілі (%1 підтверджень, будуть доступні після %2) Open for %n more block(s) - + Відкрито на %n блокВідкрито на %n блокиВідкрито на %n блоків Open until %1 - Відкрити до %1 + Відкрито до %1 Confirmed (%1 confirmations) @@ -2332,23 +2340,23 @@ Address: %4 Offline - + Поза мережею Unconfirmed - + Не підтверджено Confirming (%1 of %2 recommended confirmations) - + Підтверджується (%1 з %2 рекомендованих підтверджень) Conflicted - + Суперечить Received with - Отримано + Отримані на Received from @@ -2356,7 +2364,7 @@ Address: %4 Sent to - Відправлено + Відправлені на Payment to yourself @@ -2475,27 +2483,27 @@ Address: %4 Export Transaction History - + Експортувати історію транзакцій Exporting Failed - + Помилка експорту There was an error trying to save the transaction history to %1. - + Виникла помилка при спробі зберігання історії транзакцій до %1. Exporting Successful - + Експорт виконано успішно The transaction history was successfully saved to %1. - + Історію транзакцій було успішно збережено до %1. Comma separated file (*.csv) - Файли, розділені комою (*.csv) + Значення, розділені комою (*.csv) Confirmed @@ -2538,7 +2546,7 @@ Address: %4 WalletFrame No wallet has been loaded. - + Гаманець не завантажувався @@ -2552,7 +2560,7 @@ Address: %4 WalletView &Export - & Експорт + &Експорт Export the data in the current tab to a file @@ -2572,11 +2580,11 @@ Address: %4 There was an error trying to save the wallet data to %1. - + Виникла помилка при спробі зберегти гаманець в %1. The wallet data was successfully saved to %1. - + Дані гаманця успішно збережено в %1. Backup Successful @@ -2615,15 +2623,15 @@ Address: %4 Listen for connections on <port> (default: 8333 or testnet: 18333) - Чекати на з'єднання на <port> (типово: 8333 або тестова мережа: 18333) + Чекати на з'єднання на <port> (типово: 8333 або тестова мережа: 18333) Maintain at most <n> connections to peers (default: 125) - Підтримувати не більше <n> зв'язків з колегами (типово: 125) + Підтримувати щонайбільше <n> з'єднань з учасниками (типово: 125) Connect to a node to retrieve peer addresses, and disconnect - Підключитись до вузла, щоб отримати список адрес інших учасників та від'єднатись + Підключитись до вузла, щоб отримати список адрес інших учасників та від'єднатись Specify your own public address @@ -2631,19 +2639,19 @@ Address: %4 Threshold for disconnecting misbehaving peers (default: 100) - Поріг відключення неправильно під'єднаних пірів (типово: 100) + Поріг відключення учасників з поганою поведінкою (типово: 100) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Максимальній розмір вхідного буферу на одне з'єднання (типово: 86400) + Час в секундах, протягом якого відключені учасники з поганою поведінкою не зможуть підключитися (типово: 86400) An error occurred while setting up the RPC port %u for listening on IPv4: %s - + Сталася помилка при спробі відкрити порт RPC %u для прослуховування в мережі IPv4: %s Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - Прослуховувати <port> для JSON-RPC-з'єднань (типово: 8332 або тестова мережа: 18332) + Прослуховувати <port> для JSON-RPC-з'єднань (типово: 8332 або тестова мережа: 18332) Accept command line and JSON-RPC commands @@ -2651,7 +2659,7 @@ Address: %4 Bitcoin Core RPC client version - + RPC-клієнт Bitcoin Core версії Run in the background as a daemon and accept commands @@ -2663,7 +2671,7 @@ Address: %4 Accept connections from outside (default: 1 if no -proxy or -connect) - Приймати з'єднання ззовні (за замовчуванням: 1, якщо ні-проксі або-з'єднання) + Приймати підключення ззовні (типово: 1 за відсутності -proxy чи -connect) %s, you must set a rpcpassword in the configuration file: @@ -2675,37 +2683,47 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - + %s, ви повинні встановити rpcpassword в файлі конфігурації: +%s +Рекомендується використати такий випадковий пароль: +rpcuser=bitcoinrpc +rpcpassword=%s +(ви не повинні пам'ятати цей пароль) +Ім’я користувача та пароль ПОВИННІ бути різними. +Якщо файлу не існує, створіть його, обмеживши доступ правом читання для власника. +Також рекомендується використовувати alertnotify для того, щоб отримувати сповіщення про проблеми; +наприклад: alertnotify=echo %%s | mail -s "Сповіщення Bitcoin" admin@foo.com + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Допустимі шифри (типово: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + Сталася помилка при спробі відкрити порт RPC %u для прослуховування в мережі IPv6 (надалі буде використовуватися IPv4): %s Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Прив'язка до даного адресою і завжди слухати на ньому. Використовуйте [господаря]: позначення порту для IPv6 + Прив'язатися до даної адреси та прослуховувати її. Використовуйте запис виду [хост]:порт для IPv6 Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Обмежити швидкість передачі безкоштовних транзакцій до <n>*1000 байт за хвилину (типово: 15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Введіть тестовий режим регресії, яка використовує спеціальну ланцюг, в якій блоки можуть бути вирішені негайно. Це призначено для регресійного тестування інструментів і розробки додатків. + Ввійти в режим регресивного тестування, що використовує спеціальний ланцюг з миттєвим знаходженням блоків. Це призначено для інструментів регресивного тестування та розробки додатків. Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Ввійти в режим регресивного тестування, що використовує спеціальний ланцюг з миттєвим знаходженням блоків. Error: Listening for incoming connections failed (listen returned error %d) - + Помилка: Не вдалося налаштувати прослуховування вхідних підключень (listen повернув помилку: %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2713,63 +2731,63 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - + Помилка: Ця транзакція потребує додавання комісії щонайменше в %s через її розмір, складність, або внаслідок використання недавно отриманих коштів! Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Виконати команду, коли транзакція гаманця зміниться (замість %s в команді буде підставлено ідентифікатор транзакції) Fees smaller than this are considered zero fee (for transaction creation) (default: - + Комісії, що менші за вказану, вважатимуться нульовими (для створення транзакції) (типово: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + Записувати зміни в базі даних до файлу кожні <n> мегабайтів (типово: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + Рівень ретельності перевірки блоків (0-4, типово: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + В цьому режимі -genproclimit встановлює кількість блоків, що можуть бути згенеровані негайно. Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + Встановити кількість потоків скрипту перевірки (від %u до %d, 0 = автоматично, <0 = вказує кількість вільних ядер, типово: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + Встановити максимальну кількість процесорів, що будуть використовуватися при ввімкненій генерації (-1 = необмежена, типово: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Це тест збірки попередньою версією - використовуйте на свій страх і ризик - не використовувати для гірничодобувних або торгових додатків + Це тестова збірка пре-релізної версії - використовуйте на свій страх і ризик - не застосовувати для добування монет або торгівлі Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + Неможливо прив'язатися до %s на цьому комп'ютері. Можливо, Bitcoin Core вже запущено. Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - + Використовувати окремий SOCKS5-проксі для з'єднання з учасниками через приховані сервіси Tor (типово: -proxy) Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Увага: встановлено занадто велику комісію (-paytxfee). Комісія зніматиметься кожен раз коли ви проводитимете транзакції. - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - Увага: будь ласка, перевірте дату і час на своєму комп'ютері. Якщо ваш годинник йде неправильно, Bitcoin може працювати некоректно. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Увага: будь ласка, перевірте дату і час на своєму комп'ютері. Якщо ваш годинник йде неправильно, Bitcoin може працювати некоректно. Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - + Увага: Частина мережі використовує інший головний ланцюжок! Деякі добувачі, можливо, зазнають проблем. Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - + Увага: Наш ланцюжок блоків відрізняється від ланцюжків підключених учасників! Можливо, вам, або іншим вузлам, необхідно оновитися. Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. @@ -2781,15 +2799,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. (default: 1) - + (типово: 1) (default: wallet.dat) - + (типово: wallet.dat) <category> can be: - + <category> може бути: Attempt to recover private keys from a corrupt wallet.dat @@ -2797,7 +2815,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Bitcoin Core Daemon - + Демон Bitcoin Core Block creation options: @@ -2805,7 +2823,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Clear list of wallet transactions (diagnostic tool; implies -rescan) - + Очистити список транзакцій гаманця (використовується для діагностики, включає -rescan) Connect only to the specified node(s) @@ -2813,15 +2831,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Connect through SOCKS proxy - + Підключитись через SOCKS-проксі Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - + Підключитися через JSON-RPC на <port> (типово: 8332 або testnet: 18332) Connection options: - + Параметри з'єднання: Corrupted block database detected @@ -2829,19 +2847,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Debugging/Testing options: - + Параметри тестування/налагодження: Disable safemode, override a real safe mode event (default: 0) - + Вимкнути безпечний режим та ігнорувати події, що здатні ввімкнути його (типово: 0) Discover own IP address (default: 1 when listening and no -externalip) - Відкрийте власну IP-адресу (за замовчуванням: 1, коли не чує і-externalip) + Визначити власну IP-адресу (типово: 1 при прослуховуванні та за відсутності -externalip) Do not load the wallet and disable wallet RPC calls - + Не завантажувати гаманець та вимкнути звернення до нього через RPC Do you want to rebuild the block database now? @@ -2853,7 +2871,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Error initializing wallet database environment %s! - + Помилка ініціалізації середовища бази даних гаманця %s! Error loading block database @@ -2877,7 +2895,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to listen on any port. Use -listen=0 if you want this. - Не вдалося слухати на будь-якому порту. Використовуйте-слухати = 0, якщо ви хочете цього. + Не вдалося слухати на жодному порту. Використовуйте -listen=0, якщо ви хочете цього. Failed to read block info @@ -2917,7 +2935,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Failed to write undo data - Не вдалося записати скасувати дані + Не вдалося записати дані для відкату Fee per kB to add to transactions you send @@ -2925,19 +2943,19 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Fees smaller than this are considered zero fee (for relaying) (default: - + Комісії, що менші за вказану, вважатимуться нульовими (для ретрансляції) (типово: Find peers using DNS lookup (default: 1 unless -connect) - Знайти однолітків за допомогою DNS пошук (за замовчуванням: 1, якщо-ні підключити) + Знайти учасників, використовуючи DNS (типово: 1 за відсутності -connect) Force safe mode (default: 0) - + Ввімкнути безпечний режим (типово: 0) Generate coins (default: 0) - Генерація монети (за замовчуванням: 0) + Генерація монет (типово: 0) How many blocks to check at startup (default: 288, 0 = all) @@ -2945,63 +2963,63 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. If <category> is not supplied, output all debugging information. - + Якщо <category> не задано, виводить всю налагоджувальну інформацію. Importing... - + Імпорт... Incorrect or no genesis block found. Wrong datadir for network? - + Початковий блок некоректний/відсутній. Чи правильно вказано каталог даних для обраної мережі? - Invalid -onion address: '%s' - + Invalid -onion address: '%s' + Помилка в адресі -onion: «%s» Not enough file descriptors available. - Бракує дескрипторів файлів, доступних. + Бракує доступних дескрипторів файлів. Prepend debug output with timestamp (default: 1) - + Доповнювати налагоджувальний вивід відміткою часу (типово: 1) RPC client options: - + Параметри клієнта RPC: Rebuild block chain index from current blk000??.dat files - + Перебудувати індекс ланцюжка блоків з поточних файлів blk000??.dat Select SOCKS version for -proxy (4 or 5, default: 5) - + Вибір версії SOCKS для параметру -proxy (4 чи 5, типово: 5) Set database cache size in megabytes (%d to %d, default: %d) - + Встановити розмір кешу бази даних в мегабайтах (від %d до %d, типово: %d) Set maximum block size in bytes (default: %d) - + Встановити максимальний розмір блоку у байтах (типово: %d) Set the number of threads to service RPC calls (default: 4) - Встановити число потоків до дзвінків служба RPC (за замовчуванням: 4) + Встановити число потоків для обслуговування викликів RPC (типово: 4) Specify wallet file (within data directory) - + Вкажіть файл гаманця (в межах каталогу даних) Spend unconfirmed change when sending transactions (default: 1) - + Витрачати непідтверджену решту при відправленні транзакцій (типово: 1) This is intended for regression testing tools and app development. - + Це призначено для інструментів регресивного тестування та розробки додатків. Usage (deprecated, use bitcoin-cli): @@ -3017,23 +3035,23 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Wait for RPC server to start - + Чекати, допоки RPC-сервер не буде запущено Wallet %s resides outside data directory %s - + Гаманець %s знаходиться поза каталогом даних %s Wallet options: - + Параметри гаманця: Warning: Deprecated argument -debugnet ignored, use -debug=net - + Увага: Застарілий параметр -debugnet буде проігнорований, використовуйте -debug=net. You need to rebuild the database using -reindex to change -txindex - + Вам необхідно перебудувати базу даних з використанням -reindex для того, щоб змінити -txindex Imports blocks from external blk000??.dat file @@ -3041,87 +3059,87 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Не вдалося встановити блокування на каталог даних %s. Bitcoin Core, ймовірно, вже запущений. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Виконати команду при надходженні важливого сповіщення або при спостереженні тривалого розгалуження ланцюжка (замість %s буде підставлено повідомлення) Output debugging information (default: 0, supplying <category> is optional) - + Виводити налагоджувальну інформацію (типово: 0, вказання <category> необов'язкове) Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Встановити максимальний розмір транзакцій з високим пріоритетом та низькою комісією (в байтах) (типово: %d) Information Інформація - Invalid amount for -minrelaytxfee=<amount>: '%s' - + Invalid amount for -minrelaytxfee=<amount>: '%s' + Вказано некоректну суму для параметру -minrelaytxfee: «%s» - Invalid amount for -mintxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' + Вказано некоректну суму для параметру -mintxfee: «%s» Limit size of signature cache to <n> entries (default: 50000) - + Обмежити розмір кешу підписів до <n> записів (типово: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + Записувати в лог-файл пріоритет транзакції та комісію за кБ під час добування блоків (типово: 0) Maintain a full transaction index (default: 0) - Підтримувати індекс повний транзакцій (за замовчуванням: 0) + Утримувати повний індекс транзакцій (типово: 0) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Максимальний буфер, <n>*1000 байт (типово: 5000) + Максимальний розмір вхідного буферу на одне з'єднання, <n>*1000 байт (типово: 5000) Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Максимальній розмір вихідного буферу на одне з'єднання, <n>*1000 байт (типово: 1000) + Максимальний розмір вихідного буферу на одне з'єднання, <n>*1000 байт (типово: 1000) Only accept block chain matching built-in checkpoints (default: 1) - Тільки приймати блок відповідності ланцюга вбудованих контрольно-пропускних пунктів (за замовчуванням: 1) + Приймати тільки той ланцюжок блоків, що не суперечить вбудованим контрольним точкам (типово: 1) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Підключити тільки до вузлів в мережі <net> (IPv4, IPv6 або Tor) + Підключатися тільки до вузлів в мережі <net> (IPv4, IPv6 або Tor) Print block on startup, if found in block index - + Роздрукувати блок під час запуску (якщо він буде знайдений в індексі) Print block tree on startup (default: 0) - + Роздрукувати дерево блоків під час запуску (типово: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Параметри RPC SSL: (див. Bitcoin Wiki для налаштування SSL) RPC server options: - + Параметри сервера RPC: Randomly drop 1 of every <n> network messages - + Випадковим чином відкидати 1 з <n> мережевих повідомлень Randomly fuzz 1 of every <n> network messages - + Випадковим чином пошкоджувати 1 з <n> мережевих повідомлень Run a thread to flush wallet periodically (default: 1) - + Запустити потік для періодичного збереження даних гаманця (типово: 1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3129,7 +3147,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Send command to Bitcoin Core - + Надіслати команду до Bitcoin Core Send trace/debug info to console instead of debug.log file @@ -3141,23 +3159,23 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + Встановити прапорець DB_PRIVATE в середовищі бази даних гаманця (типово: 1) Show all debugging options (usage: --help -help-debug) - + Показати всі налагоджувальні параметри (використання: --help -help-debug) Show benchmark information (default: 0) - + Виводити час виконання деяких операцій (типово: 0) Shrink debug.log file on client startup (default: 1 when no -debug) - Стискати файл debug.log під час старту клієнта (типово: 1 коли відсутутній параметр -debug) + Стискати файл debug.log під час старту клієнта (типово: 1 коли відсутній параметр -debug) Signing transaction failed - Підписання угоди не вдалося + Підписання транзакції не вдалося Specify connection timeout in milliseconds (default: 5000) @@ -3165,7 +3183,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Start Bitcoin Core Daemon - + Запустити демона Bitcoin Core System error: @@ -3173,27 +3191,27 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Transaction amount too small - Сума угоди занадто малий + Сума транзакції занадто мала Transaction amounts must be positive - Суми угоди має бути позитивним + Суми монет у транзакції мають бути позитивними Transaction too large - Угода занадто великий + Транзакція занадто велика Use UPnP to map the listening port (default: 0) - Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (default: 0) + Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (типово: 0) Use UPnP to map the listening port (default: 1 when listening) - Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (default: 1 when listening) + Намагатись використовувати UPnP для відображення порту, що прослуховується на роутері (типово: 1 коли прослуховується) Username for JSON-RPC connections - Ім'я користувача для JSON-RPC-з'єднань + Ім'я користувача для JSON-RPC-з'єднань Warning @@ -3205,15 +3223,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Zapping all transactions from wallet... - + Видалення всіх транзакцій з гаманця... on startup - + під час запуску version - версія + версії wallet.dat corrupt, salvage failed @@ -3221,11 +3239,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Password for JSON-RPC connections - Пароль для JSON-RPC-з'єднань + Пароль для JSON-RPC-з'єднань Allow JSON-RPC connections from specified IP address - Дозволити JSON-RPC-з'єднання з вказаної IP-адреси + Дозволити JSON-RPC-з'єднання з вказаної IP-адреси Send commands to node running on <ip> (default: 127.0.0.1) @@ -3233,11 +3251,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Execute command when the best block changes (%s in cmd is replaced by block hash) - Виконати команду, коли з'явиться новий блок (%s в команді змінюється на хеш блоку) + Виконати команду, коли з'явиться новий блок (%s в команді змінюється на хеш блоку) Upgrade wallet to latest format - Модернізувати гаманець до останнього формату + Модернізувати гаманець до найновішого формату Set key pool size to <n> (default: 100) @@ -3249,7 +3267,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Use OpenSSL (https) for JSON-RPC connections - Використовувати OpenSSL (https) для JSON-RPC-з'єднань + Використовувати OpenSSL (https) для JSON-RPC-з'єднань Server certificate file (default: server.cert) @@ -3265,7 +3283,7 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Unable to bind to %s on this computer (bind returned error %d, %s) - Неможливо прив'язати до порту %s на цьому комп'ютері (bind returned error %d, %s) + Неможливо прив'язатися до %s на цьому комп'ютері (bind повернув помилку %d, %s) Allow DNS lookups for -addnode, -seednode and -connect @@ -3292,11 +3310,11 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. Помилка при завантаженні wallet.dat - Invalid -proxy address: '%s' + Invalid -proxy address: '%s' Помилка в адресі проксі-сервера: «%s» - Unknown network specified in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' Невідома мережа вказана в -onlynet: «%s» @@ -3304,15 +3322,15 @@ for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo. В параметрі -socks запитується невідома версія: %i - Cannot resolve -bind address: '%s' - + Cannot resolve -bind address: '%s' + Не вдалося розпізнати адресу для -bind: «%s» - Cannot resolve -externalip address: '%s' - + Cannot resolve -externalip address: '%s' + Не вдалося розпізнати адресу для -externalip: «%s» - Invalid amount for -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' Помилка у величині комісії -paytxfee=<amount>: «%s» diff --git a/src/qt/locale/bitcoin_ur_PK.ts b/src/qt/locale/bitcoin_ur_PK.ts index 45b46e26890..7868be31b24 100644 --- a/src/qt/locale/bitcoin_ur_PK.ts +++ b/src/qt/locale/bitcoin_ur_PK.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -43,93 +14,33 @@ This product includes software developed by the OpenSSL Project for use in the O &New - - - - Copy the currently selected address to the system clipboard - + نیا &Copy - + نقل C&lose - + بند &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - + کاپی پتہ &Export - + برآمد &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - + مٹا C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - + چننا - + AddressTableModel @@ -148,10 +59,6 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - Passphrase Dialog - - - Enter passphrase پاس فریز داخل کریں @@ -164,26 +71,14 @@ This product includes software developed by the OpenSSL Project for use in the O نیا پاس فریز دہرائیں - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - + بٹوے کی رمزنگاری Unlock wallet بٹوا ان لاک - This operation needs your wallet passphrase to decrypt the wallet. - - - Decrypt wallet خفیہ کشائی کر یںبٹوے کے @@ -191,3170 +86,262 @@ This product includes software developed by the OpenSSL Project for use in the O Change passphrase پاس فریز تبدیل کریں - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - + Error + نقص + + + ClientModel + + + CoinControlDialog - &Change Passphrase... - + Amount + رقم - &Sending addresses... - + Address + پتہ - &Receiving addresses... - + Date + تاریخ - Open &URI... - + (no label) + چٹ کے بغیر + + + EditAddressDialog + + + FreespaceChecker + + + HelpMessageDialog + + + Intro - Importing blocks from disk... - + Error + نقص + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - Reindexing blocks on disk... - + Address + پتہ - Send coins to a Bitcoin address - + Amount + رقم - Modify configuration options for Bitcoin - + Label + چٹ + + + RecentRequestsTableModel - Backup wallet to another location - + Date + تاریخ - Change the passphrase used for wallet encryption - + Label + چٹ - &Debug window - + Amount + رقم - Open debugging and diagnostic console - + (no label) + چٹ کے بغیر + + + SendCoinsDialog - &Verify message... - + Balance: + بیلنس: - Bitcoin - + (no label) + چٹ کے بغیر + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc - Wallet - + Date + تاریخ - &Send - + Amount + رقم + + + TransactionDescDialog + + + TransactionTableModel - &Receive - + Date + تاریخ - &Show / Hide - + Type + ٹائپ - Show or hide the main Window - + Address + پتہ - Encrypt the private keys that belong to your wallet - + Amount + رقم - Sign messages with your Bitcoin addresses to prove you own them - + Sent to + کو بھیجا - Verify messages to ensure they were signed with specified Bitcoin addresses - + (n/a) + (N / A) + + + TransactionView - &File - + All + تمام - &Settings - + Today + آج - &Help - + This week + اس ہفتے - Tabs toolbar - + This month + اس مہینے - [testnet] - + Last month + پچھلے مہینے - Bitcoin Core - + This year + اس سال - Request payments (generates QR codes and bitcoin: URIs) - + Range... + دیگر - &About Bitcoin Core - + Sent to + کو بھیجا - Show the list of used sending addresses and labels - + Date + تاریخ - Show the list of used receiving addresses and labels - + Type + ٹائپ - Open a bitcoin: URI or payment request - + Label + چٹ - &Command-line options - + Address + پتہ - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Amount + رقم + + + WalletFrame + + + WalletModel + + + WalletView - Bitcoin client - - - - %n active connection(s) to Bitcoin network - + &Export + برآمد + + + bitcoin-core - No block source available... - + This help message + یہ مدد کا پیغام - Processed %1 of %2 (estimated) blocks of transaction history. - + Invalid amount + غلط رقم - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - + Insufficient funds + ناکافی فنڈز - %1 and %2 - + Error + نقص - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - نقص - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - رقم - - - Address - پتہ - - - Date - تاریخ - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - چٹ کے بغیر - - - change from %1 (%2) - - - - (change) - - - - - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - نقص - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - پتہ - - - Amount - رقم - - - Label - چٹ - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - تاریخ - - - Label - چٹ - - - Message - - - - Amount - رقم - - - (no label) - چٹ کے بغیر - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - بیلنس: - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - چٹ کے بغیر - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - تاریخ - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - رقم - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - تاریخ - - - Type - ٹائپ - - - Address - پتہ - - - Amount - رقم - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - کو بھیجا - - - Payment to yourself - - - - Mined - - - - (n/a) - (N / A) - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - تمام - - - Today - آج - - - This week - اس ہفتے - - - This month - اس مہینے - - - Last month - پچھلے مہینے - - - This year - اس سال - - - Range... - دیگر - - - Received with - - - - Sent to - کو بھیجا - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - تاریخ - - - Type - ٹائپ - - - Label - چٹ - - - Address - پتہ - - - Amount - رقم - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - یہ مدد کا پیغام - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - غلط رقم - - - Insufficient funds - ناکافی فنڈز - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - نقص - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_uz@Cyrl.ts b/src/qt/locale/bitcoin_uz@Cyrl.ts index e4ce310e20a..a6e58b2a936 100644 --- a/src/qt/locale/bitcoin_uz@Cyrl.ts +++ b/src/qt/locale/bitcoin_uz@Cyrl.ts @@ -1,13 +1,13 @@ - + AboutDialog About Bitcoin Core - + Bitcoin Core ҳақида <b>Bitcoin Core</b> version - + <b>Bitcoin Core</b> версияси @@ -16,523 +16,524 @@ This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - + +Бу синовдаги дастурий таъминот. + +MIT/X11 дастурий таъминот лицензияси остида тарқатилади, ҳамкорлик COPYING файлини ёки http://www.opensource.org/licenses/mit-license.php сайтини кўринг. + +Ушбу маҳсулотга "OpenSSL Toolkit"да фойдаланиш учун OpenSSL лойиҳаси (http://www.openssl.org/) ва Eric Young (eay@cryptsoft.com) томонидан ёзилган криптографик дастур ҳамда Thomas Bernard.томонидан тузилган UPnP дастури қўшилган. Copyright - + Муаллифлик ҳуқуқи The Bitcoin Core developers - + Bitcoin Core дастурчилари (%1-bit) - + (%1-bit) AddressBookPage Double-click to edit address or label - + Манзил ёки ёрлиқни таҳрирлаш учун икки марта босинг Create a new address - + Янги манзил яратинг &New - + &Янги Copy the currently selected address to the system clipboard - + Жорий танланган манзилни тизим вақтинчалик хотирасига нусха кўчиринг &Copy - + &Нусха олиш C&lose - + &Ёпиш &Copy Address - + Манзилдан &нусха олиш Delete the currently selected address from the list - + Жорий танланган манзилни рўйхатдан ўчириш Export the data in the current tab to a file - + Жорий ички ойна ичидаги маълумотларни файлга экспорт қилиш &Export - + &Экспорт &Delete - + &Ўчириш Choose the address to send coins to - + Тангаларни жўнатиш учун манзилни танланг Choose the address to receive coins with - + Тангаларни қабул қилиш учун манзилни танланг C&hoose - + &Танлаш Sending addresses - + Жўнатиладиган манзиллар Receiving addresses - + Қабул қилинадиган манзиллар These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - + Улар тўловларни жўнатиш учун сизнинг Bitcoin манзилларингиз. Доимо тангаларни жўнатишдан олдин сумма ва қабул қилувчи манзилни текшириб кўринг. These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Улар тўловларни қабул қилиш учун сизнинг Bitcoin манзилларингиз. Ҳар бир ўтказма учун янги қабул қилувчи манзилдан фойдаланиш тавсия қилинади. Copy &Label - + Нусха олиш ва ёрлиқ &Edit - + &Таҳрирлаш Export Address List - + Манзил рўйхатини экспорт қилиш Comma separated file (*.csv) - + Вергул билан ажратилган файл (*.csv) Exporting Failed - + Экспорт қилиб бўлмади There was an error trying to save the address list to %1. - + Манзил рўйхатини %1га сақланаётганда хатолик юз берди. AddressTableModel Label - + Ёрлиқ Address - + Манзил (no label) - + (Ёрлиқ мавжуд эмас) AskPassphraseDialog Passphrase Dialog - + Махфий сўз ойнаси Enter passphrase - + Махфий сузни киритинг New passphrase - + Янги махфий суз Repeat new passphrase - + Янги махфий сузни такрорланг Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - + Ҳамёнга янги махфий сўз киритинг.<br/>Илтимос, <b>10 махфий сўздан ёки кўпроқ тасодифий белгилар </b> ёки <b>8 та ёки кўпроқ</b> махфий сўзлардан фойдаланинг. Encrypt wallet - + Ҳамённи қодлаш This operation needs your wallet passphrase to unlock the wallet. - + Ушбу операцияни амалга ошириш учун ҳамённи қулфдан чиқариш парол сўзини талаб қилади. Unlock wallet - + Ҳамённи қулфдан чиқариш This operation needs your wallet passphrase to decrypt the wallet. - + Ушбу операцияни амалга ошириш учун ҳамённи коддан чиқариш парол сўзини талаб қилади. Decrypt wallet - + Ҳамённи коддан чиқариш Change passphrase - + Махфий сузни узгартириш Enter the old and new passphrase to the wallet. - + Ҳамёнга эски ва янги паролларингизни киритинг. Confirm wallet encryption - + Ҳамённи кодлашни тасдиқлаш Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - + Диққат: Агар сиз ҳамёнингизни кодласангиз ва махфий сўзингизни унутсангиз, сиз <b>БАРЧА BITCOIN ПУЛЛАРИНГИЗНИ ЙЎҚОТАСИЗ</b>! Are you sure you wish to encrypt your wallet? - + Ҳамёнингизни кодлашни ростдан хоҳлайсизми? IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - + МУҲИМ: Сиз қилган олдинги ҳамён файли заҳиралари янги яратилган, кодланган ҳамён файли билан алмаштирилиши керак. Хавфсизлик сабабларига кўра олдинги кодланган ҳамён файли заҳираси янги кодланган ҳамёндан фойдаланишингиз билан яроқсиз ҳолга келади. Warning: The Caps Lock key is on! - + Диққат: Caps Lock тугмаси ёқилган! Wallet encrypted - + Ҳамёни кодланган Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - + Bitcoin кодлаш жараёнини тугатиш учун ёпилади. Ёдда сақланг: ҳамёнингизни кодлаш компьютерингизни зарарлаган зарарли дастурлар томонидан bitcoin тангаларингизни ўғирланишидан тўлиқ ҳимоя қила олмайди. Wallet encryption failed - + Ҳамённи кодлаш амалга ошмади Wallet encryption failed due to an internal error. Your wallet was not encrypted. - + Ҳамённи кодлаш ташқи хато туфайли амалга ошмади. Ҳамёнингиз кодланмади. The supplied passphrases do not match. - + Киритилган пароллар мос келмади. Wallet unlock failed - + Ҳамённи қулфдан чиқариш амалга ошмади The passphrase entered for the wallet decryption was incorrect. - + Ҳамённи коддан чиқариш учун киритилган парол нотўғри. Wallet decryption failed - + Ҳамённи коддан чиқариш амалга ошмади Wallet passphrase was successfully changed. - + Ҳамён пароли муваффақиятли алмаштирилди. BitcoinGUI Sign &message... - + &Хабар ёзиш... Synchronizing with network... - + Тармоқ билан синхронланмоқда... &Overview - + &Кўриб чиқиш Node - + Улам Show general overview of wallet - + Ҳамённинг умумий кўринишини кўрсатиш &Transactions - + &Пул ўтказмалари Browse transaction history - + Пул ўтказмалари тарихини кўриш E&xit - + Ч&иқиш Quit application - + Иловадан чиқиш Show information about Bitcoin - + Bitcoin ҳақидаги маълумотларни кўрсатиш About &Qt - + &Qt ҳақида Show information about Qt - + Qt ҳақидаги маълумотларни кўрсатиш &Options... - + &Мосламалар... &Encrypt Wallet... - + Ҳамённи &кодлаш... &Backup Wallet... - + Ҳамённи &заҳиралаш... &Change Passphrase... - + Махфий сўзни &ўзгартириш... &Sending addresses... - + &Жўнатилувчи манзиллар... &Receiving addresses... - + &Қабул қилувчи манзиллар... Open &URI... - + Интернет манзилни очиш Importing blocks from disk... - + Дискдан блоклар импорт қилинмоқда... Reindexing blocks on disk... - + Дискдаги блоклар қайта индексланмоқда... Send coins to a Bitcoin address - + Тангаларни Bitcoin манзилига жўнатиш Modify configuration options for Bitcoin - + Bitcoin учун мослаш танловларини ўзгартириш Backup wallet to another location - + Ҳамённи бошқа манзилга заҳиралаш Change the passphrase used for wallet encryption - + Паролни ўзгартириш ҳамённи кодлашда фойдаланилади &Debug window - + &Носозликни ҳал қилиш ойнаси Open debugging and diagnostic console - + Носозликни ҳал қилиш ва ташхис терминали &Verify message... - + Хабарни &тасдиқлаш... Bitcoin - + Bitcoin Wallet - + Ҳамён &Send - + &Жўнатиш &Receive - + &Қабул қилиш &Show / Hide - + &Кўрсатиш / Яшириш Show or hide the main Window - + Асосий ойнани кўрсатиш ёки яшириш Encrypt the private keys that belong to your wallet - + Ҳамёнингизга тегишли махфий калитларни кодлаш Sign messages with your Bitcoin addresses to prove you own them - + Bitcoin манзилидан унинг эгаси эканлигингизни исботлаш учун хабарлар ёзинг Verify messages to ensure they were signed with specified Bitcoin addresses - + Хабарларни махсус Bitcoin манзилларингиз билан ёзилганлигига ишонч ҳосил қилиш учун уларни тасдиқланг &File - + & файл &Settings - + & Созламалар &Help - + &Ёрдам Tabs toolbar - + Ички ойналар асбоблар панели [testnet] - + [testnet] Bitcoin Core - + Bitcoin Core Request payments (generates QR codes and bitcoin: URIs) - + Тўловлар (QR кодлари ва bitcoin ёрдамида яратишлар: URI’лар) сўраш &About Bitcoin Core - + Bitcoin Core &ҳақида Show the list of used sending addresses and labels - + Фойдаланилган жўнатилган манзиллар ва ёрлиқлар рўйхатини кўрсатиш Show the list of used receiving addresses and labels - + Фойдаланилган қабул қилинган манзиллар ва ёрлиқлар рўйхатини кўрсатиш Open a bitcoin: URI or payment request - + Bitcoin’ни очиш: URI ёки тўлов сўрови &Command-line options - + &Буйруқлар сатри мосламалари Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - + Мавжуд Bitcoin буйруқлар матни мосламалари билан Bitcoin Core ёрдам хабарларини олиш рўйхатини кўрсатиш Bitcoin client - + Bitcoin мижози %n active connection(s) to Bitcoin network - + %n та Bitcoin тармоғига фаол уланиш мавжуд No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - + Блок манбалари мавжуд эмас... Processed %1 blocks of transaction history. - + Ўтказма тарихи блоклари %1 та амалга оширилган. %n hour(s) - + %n соат %n day(s) - + %n кун %n week(s) - + %n ҳафта %1 and %2 - + %1 ва %2 %n year(s) - + %n йил %1 behind - + %1 орқада Last received block was generated %1 ago. - + Сўнги қабул қилинган блок %1 олдин яратилган. Transactions after this will not yet be visible. - + Бундан кейинги пул ўтказмалари кўринмайдиган бўлади. Error - + Хатолик Warning - + Диққат Information - + Маълумот Up to date - + Янгиланган Catching up... - + Банд қилинмоқда... Sent transaction - + Жўнатилган операция Incoming transaction - + Кирувчи операция Date: %1 @@ -540,2821 +541,1461 @@ Amount: %2 Type: %3 Address: %4 - + Санаси: %1 +Миқдори: %2 +Тури: %3 +Манзили: %4 + Wallet is <b>encrypted</b> and currently <b>unlocked</b> - + Ҳамён <b>кодланган</b> ва вақтинча <b>қулфдан чиқарилган</b> Wallet is <b>encrypted</b> and currently <b>locked</b> - + Ҳамён <b>кодланган</b> ва вақтинча <b>қулфланган</b> A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Жиддий хато юз берди. Bitcoin хавфсиз ишлай олмайди, шунинг учун чиқиб кетилади. ClientModel Network Alert - + Тармоқ огоҳлантиргичи CoinControlDialog Coin Control Address Selection - + Танга бошқарув манзилини танлаш Quantity: - + Сони: Bytes: - + Байт: Amount: - + Миқдори: Priority: - + Муҳимлиги: Fee: - + Солиқ: Low Output: - + Паст чиқиш: After Fee: - + Солиқдан сўнг: Change: - + Ўзгартириш: (un)select all - + барчасини танаш (бекор қилиш) Tree mode - + Дарахт усулида List mode - + Рўйхат усулида Amount - + Миқдори Address - + Манзил Date - + Сана Confirmations - + Тасдиқлашлар Confirmed - + Тасдиқланди Priority - + Муҳимлиги Copy address - + Манзилни нусхалаш Copy label - + Ёрликни нусхала Copy amount - + Кийматни нусхала Copy transaction ID - + Ўтказам рақамидан нусха олиш Lock unspent - + Сарфланмаганларни қулфлаш Unlock unspent - + Сарфланмаганларни қулфдан чиқариш Copy quantity - + Нусха сони Copy fee - + Нусха солиғи Copy after fee - + Нусха солиқдан сўнг Copy bytes - + Нусха байти Copy priority - - - - Copy low output - + Нусха муҳимлиги Copy change - + Нусха қайтими highest - + энг юқори higher - + юқорирок high - + юқори medium-high - + ўртача-юқори medium - + ўрта low-medium - + паст-юқори low - + паст lower - + пастроқ lowest - + энг паст (%1 locked) - + (%1 қулфланган) none - + йўқ Dust - + Чанг yes - + ҳа no - + йўқ This label turns red, if the transaction size is greater than 1000 bytes. - + Агар ўтказманинг ҳажми 1000 байтдан ошса, ёрлиқ қизаради. This means a fee of at least %1 per kB is required. - + Бу дегани солиқ ҳар кб учун камида %1 талаб қилинади. Can vary +/- 1 byte per input. - + Ҳар бир кирим +/- 1 байт билан ўзгариши мумкин. Transactions with higher priority are more likely to get included into a block. - + Юқори муҳимликка эга бўлган ўтказмалар тезда блокнинг ичига қўшимча олади. - This label turns red, if the priority is smaller than "medium". - + This label turns red, if the priority is smaller than "medium". + Агар муҳимлиги "ўртача"дан паст бўлса, ушбу ёрлиқ қизил бўлиб ёнади. This label turns red, if any recipient receives an amount smaller than %1. - + Агар қабул қилувчи %1дан кичик қийматни қабул қилса, ушбу ёрлиқ қизил бўлиб ёнади. This means a fee of at least %1 is required. - + Бу солиқни камида %1 талаб қилишини билдиради. Amounts below 0.546 times the minimum relay fee are shown as dust. - + Қиймат энг кам тўлов 0.546 дан паст бўлса, чанг сифатида кўрсатилади. This label turns red, if the change is smaller than %1. - + Агар қайтим %1дан кичикроқ бўлса, ушбу ёрлиқ қизил бўлиб ёнади. (no label) - + (Ёрлик мавжуд эмас) change from %1 (%2) - + %1 (%2)дан ўзгартириш (change) - + (ўзгартириш) EditAddressDialog Edit Address - + Манзилларни таҳрирлаш &Label - + &Ёрлиқ The label associated with this address list entry - + Ёрлиқ ушбу манзилар рўйхати ёзуви билан боғланган The address associated with this address list entry. This can only be modified for sending addresses. - + Манзил ушбу манзиллар рўйхати ёзуви билан боғланган. Уни фақат жўнатиладиган манзиллар учун ўзгартирса бўлади. &Address - + &Манзил New receiving address - + Янги кабул килувчи манзил New sending address - + Янги жунатилувчи манзил Edit receiving address - + Кабул килувчи манзилни тахрирлаш Edit sending address - + Жунатилувчи манзилни тахрирлаш - The entered address "%1" is already in the address book. - + The entered address "%1" is already in the address book. + Киритилган "%1" манзили аллақачон манзил китобида. - The entered address "%1" is not a valid Bitcoin address. - + The entered address "%1" is not a valid Bitcoin address. + Киритилган "%1" манзили тўғри Bitcoin манзили эмас. Could not unlock wallet. - + Ҳамён қулфдан чиқмади. New key generation failed. - + Янги калит яратиш амалга ошмади. FreespaceChecker A new data directory will be created. - + Янги маълумотлар директорияси яратилади. name - + номи Directory already exists. Add %1 if you intend to create a new directory here. - + Директория аллақачон мавжуд. Агар бу ерда янги директория яратмоқчи бўлсангиз, %1 қўшинг. Path already exists, and is not a directory. - + Йўл аллақачон мавжуд. У директория эмас. Cannot create data directory here. - + Маълумотлар директориясини бу ерда яратиб бўлмайди.. HelpMessageDialog Bitcoin Core - Command-line options - + Bitcoin Core - буйруқлар қатори орали мослаш Bitcoin Core - + Bitcoin Core version - + версияси Usage: - + Фойдаланиш: command-line options - + буйруқлар қатори орқали мослаш UI options - - - - Set language, for example "de_DE" (default: system locale) - + UI мосламалари Start minimized - + Йиғилганларни бошлаш Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - + Тўлов сўровлари учун SSL асос сертификатларини ўрнатиш (стандарт: -system-) Choose data directory on startup (default: 0) - + Ишга тушиш вақтида маълумотлар директориясини танлаш (стандарт: 0) Intro Welcome - + Хуш келибсиз Welcome to Bitcoin Core. - + "Bitcoin Core"га хуш келибсиз. As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - + Биринчи марта дастур ишга тушгани каби сиз Bitcoin Core маълумотларини жойлаштирадиган жойни танлашингиз мумкин. Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - + Bitcoin Core юклаб олинади ва Bitcoin блок занжири нусхаси жойлаштирилади. Камида %1GB маълумот ушбу директорияга жойлаштирилади ва вақт давомида ўсиб боради. Ҳамён ҳам ушбу директорияда жойлашади. Use the default data directory - + Стандарт маълумотлар директориясидан фойдаланиш Use a custom data directory: - + Бошқа маълумотлар директориясида фойдаланинг: Bitcoin - + Bitcoin - Error: Specified data directory "%1" can not be created. - + Error: Specified data directory "%1" can not be created. + Хато: кўрсатилган маълумотлар директорияси "%1"ни яратиб бўлмади. Error - + Хатолик GB of free space available - + GB бўш жой мавжуд (of %1GB needed) - + (%1GB керак) OpenURIDialog Open URI - + URI ни очиш Open payment request from URI or file - + URL файлдан тўлов сўровларини очиш URI: - + URI: Select payment request file - + Тўлов сўрови файлини танлаш Select payment request file to open - + Очиш учун тўлов сўрови файлини танлаш OptionsDialog Options - + Танламалар &Main - + &Асосий Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - + Ҳар бир кб учун ўтказма солиғи ўтказмаларингизни тезроқ ўтишига ишонишингизга ёрдам беради. Кўпгина ўтказмалар 1 кб. Pay transaction &fee - + Ўтказма &солиғини тўлаш Automatically start Bitcoin after logging in to the system. - + Тизимга киргандан сўнг Bitcoin дастури автоматик ишга туширилсин. &Start Bitcoin on system login - + Тизимга кирганда Bitcoin &ишга туширилсин Size of &database cache - + &Маълумотлар базаси кеши MB - + МБ Number of script &verification threads - + Мавзуларни &тўғрилаш скрипти миқдори Connect to the Bitcoin network through a SOCKS proxy. - + Bitcoin тармоққа SOCKS прокси орқали уланинг. &Connect through SOCKS proxy (default proxy): - + SOCKS прокси орқали &уланинг (стандарт прокси): IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - + Прокси IP манзили (масалан: IPv4: 127.0.0.1 / IPv6: ::1) - Map port using &UPnP - + Third party transaction URLs + Бегона тараф ўтказмалари URL манзиллари Proxy &IP: - + Прокси &IP рақами: &Port: - + &Порт: Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - + Прокси порти (e.g. 9050) &Window - + &Ойна Show only a tray icon after minimizing the window. - + Ойна йиғилгандан сўнг фақат трэй нишончаси кўрсатилсин. &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - + Манзиллар панели ўрнига трэйни &йиғиш M&inimize on close - + Ёпишда й&иғиш &Display - + &Кўрсатиш User Interface &language: - + Фойдаланувчи интерфейси &тили: The user interface language can be set here. This setting will take effect after restarting Bitcoin. - + Фойдаланувчи тили интерфесини шу ерда ўрнатиш мумкин. TУшбу созлама Bitcoin қайта ишга туширилганда кучга киради. &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - + Миқдорларни кўрсатиш учун &қисм: &OK - + &OK &Cancel - + &Бекор қилиш default - + стандарт none - + йўқ Confirm options reset - + Тасдиқлаш танловларини рад қилиш Client restart required to activate changes. - + Ўзгаришлар амалга ошиши учун мижозни қайта ишга тушириш талаб қилинади. Client will be shutdown, do you want to proceed? - + Мижоз ўчирилади. Давом эттиришни хоҳлайсизми? This change would require a client restart. - + Ушбу ўзгариш мижозни қайтадан ишга туширишни талаб қилади. The supplied proxy address is invalid. - + Келтирилган прокси манзили ишламайди. OverviewPage Form - + Шакл The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - + Кўрсатилган маълумот эскирган бўлиши мумкин. Ҳамёнингиз алоқа ўрнатилгандан сўнг Bitcoin тармоқ билан автоматик тарзда синхронланади, аммо жараён ҳалигача тугалланмади. Wallet - + Ҳамён Available: - + Мавжуд: Your current spendable balance - + Жорий сарфланадиган балансингиз Pending: - + Кутилмоқда: Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - + Жами ўтказмалар ҳозиргача тасдиқланган ва сафланадиган баланс томонга ҳали ҳам ҳисобланмади Immature: - + Тайёр эмас: Mined balance that has not yet matured - + Миналаштирилган баланс ҳалигача тайёр эмас Total: - + Жами: Your current total balance - + Жорий умумий балансингиз <b>Recent transactions</b> - - - - out of sync - + <b>Сўнгги ўтказмалар</b> - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - + Bitcoin - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget &Save Image... - + Расмни &сақлаш &Copy Image - + Расмдан &нусха олиш Save QR Code - + QR кодни сақлаш PNG Image (*.png) - + PNG расм (*.png) RPCConsole Client name - + Мижоз номи N/A - + Тўғри келмайди Client version - + Мижоз номи &Information - + &Маълумот Debug window - + Тузатиш ойнаси General - + Асосий Using OpenSSL version - + Фойдаланилаётган OpenSSL версияси Startup time - + Бошланиш вақти Network - + Тармоқ Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - + Ном Last block time - + Сўнгги блок вақти &Open - + &Очиш &Console - + &Терминал &Network Traffic - + &Тармоқ трафиги &Clear - + &Тозалаш Totals - + Жами In: - + Ичига: Out: - + Ташқарига: Build date - + Тузилган санаси Debug log file - + Тузатиш журнали файли Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - + Жорий махлумотлар директориясидан Bitcoin тузатиш журнали файлини очинг. Бу катта журнал файллари учун бир неча сонияни олиши мумкин. Clear console - + Терминални тозалаш Welcome to the Bitcoin RPC console. - + Bitcoin RPC терминлга хуш келибсиз. Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - + Тарихни кўриш учун тепага ва пастга кўрсаткичларидан фойдаланинг, экранни тозалаш учун <b>Ctrl-L</b> тугмалар бирикмасидан фойдаланинг. Type <b>help</b> for an overview of available commands. - + Мавжуд буйруқларни кўриш учун <b>help</b> деб ёзинг. %1 B - + %1 Б %1 KB - + %1 КБ %1 MB - + %1 МБ %1 GB - + %1 ГБ %1 m - - - - %1 h - - - - %1 h %2 m - + %1 д - + ReceiveCoinsDialog &Amount: - + &Миқдор: &Label: - + &Ёрлиқ: &Message: - + &Хабар: Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - + Олдинги фойдаланилган қабул қилинган манзиллардан биридан қайта фойдаланилсин. Хавсизлик ва махфийлик муаммолар мавжуд манзиллардан қайта фойдаланилмоқда. Бундан тўлов сўров қайта яратилмагунича фойдаланманг. An optional label to associate with the new receiving address. - + Янги қабул қилинаётган манзил билан боғланган танланадиган ёрлиқ. Use this form to request payments. All fields are <b>optional</b>. - + Ушбу сўровдан тўловларни сўраш учун фойдаланинг. Барча майдонлар <b>мажбурий эмас</b>. An optional amount to request. Leave this empty or zero to not request a specific amount. - + Хоҳланган миқдор сўрови. Кўрсатилган миқдорни сўраш учун буни бўш ёки ноль қолдиринг. Clear all fields of the form. - + Шаклнинг барча майдончаларини тозалаш Clear - + Тозалаш Requested payments history - + Сўралган тўлов тарихи &Request payment - + Тўловни &сўраш Show the selected request (does the same as double clicking an entry) - + Танланган сўровни кўрсатиш (икки марта босилганда ҳам бир хил амал бажарилсин) Show - + Кўрсатиш Remove the selected entries from the list - + Танланганларни рўйхатдан ўчириш Remove - + Ўчириш Copy label - + Ёрликни нусхала Copy message - + Хабарни нусхала Copy amount - + Кийматни нусхала ReceiveRequestDialog - QR Code - - - - Copy &URI - - - - Copy &Address - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - + Расмни &сақлаш Address - + Манзил Amount - + Миқдори Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - + Ёрлик - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel Date - + Сана Label - - - - Message - + Ёрлик Amount - + Миқдори (no label) - - - - (no message) - - - - (no amount) - + (Ёрлик мавжуд эмас) - + SendCoinsDialog Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - + Тангаларни жунат Quantity: - + Сони: Bytes: - + Байт: Amount: - + Миқдори: Priority: - + Муҳимлиги: Fee: - + Солиқ: Low Output: - + Паст чиқиш: After Fee: - + Солиқдан сўнг: Change: - + Ўзгартириш: If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - + Агар бу фаоллаштирилса, аммо ўзгартирилган манзил бўл ёки нотўғри бўлса, ўзгариш янги яратилган манзилга жўнатилади. Custom change address - + Бошқа ўзгартирилган манзил Send to multiple recipients at once - - - - Add &Recipient - + Бирданига бир нечта қабул қилувчиларга жўнатиш Clear all fields of the form. - - - - Clear &All - + Шаклнинг барча майдончаларини тозалаш Balance: - + Баланс Confirm the send action - - - - S&end - + Жўнатиш амалини тасдиқлаш Confirm send coins - - - - %1 to %2 - + Тангалар жўнаишни тасдиқлаш Copy quantity - + Нусха сони Copy amount - + Кийматни нусхала Copy fee - + Нусха солиғи Copy after fee - + Нусха солиқдан сўнг Copy bytes - + Нусха байти Copy priority - - - - Copy low output - + Нусха муҳимлиги Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - + Нусха қайтими The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - + Тўлов миқдори 0. дан катта бўлиши керак. Warning: Invalid Bitcoin address - + Диққат: Нотўғр Bitcoin манзили (no label) - + (Ёрлик мавжуд эмас) Warning: Unknown change address - + Диққат: Номаълум ўзгариш манзили Are you sure you want to send? - + Жўнатишни хоҳлашингизга ишончингиз комилми? added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - + ўтказма солиғи қўшилди - + SendCoinsEntry A&mount: - + &Миқдори: Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + &Тўлов олувчи: Enter a label for this address to add it to your address book - + Манзил китобингизга қўшиш учун ушбу манзил учун ёрлиқ киритинг &Label: - - - - Choose previously used address - - - - This is a normal payment. - + &Ёрлиқ: Alt+A - + Alt+A Paste address from clipboard - + Клипбоарддан манзилни қўйиш Alt+P - - - - Remove this entry - + Alt+P + + + ShutdownWindow + + + SignVerifyMessageDialog - Message: - + Alt+A + Alt+A - This is a verified payment request. - + Paste address from clipboard + Клипбоарддан манзилни қўйиш - Enter a label for this address to add it to the list of used addresses - + Alt+P + Alt+P - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - + Signature + Имзо + + + SplashScreen - This is an unverified payment request. - + Bitcoin Core + Bitcoin Core - Pay To: - + The Bitcoin Core developers + Bitcoin Core дастурчилари - Memo: - + [testnet] + [testnet] - ShutdownWindow + TrafficGraphWidget + + + TransactionDesc - Bitcoin Core is shutting down... - + Open until %1 + %1 гача очиш - Do not shut down the computer until this window disappears. - + %1/unconfirmed + %1/тасдиқланмади - - - SignVerifyMessageDialog - Signatures - Sign / Verify a Message - + %1 confirmations + %1 тасдиқлашлар - &Sign Message - + Date + Сана - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - + Transaction ID + ID - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Amount + Миқдори - Choose previously used address - + , has not been successfully broadcast yet + , ҳалигача трансляция қилингани йўқ - Alt+A - + unknown + Номаълум + + + TransactionDescDialog - Paste address from clipboard - + Transaction details + Операция тафсилотлари - Alt+P - + This pane shows a detailed description of the transaction + Ушбу ойна операциянинг батафсил таърифини кўрсатади + + + TransactionTableModel - Enter the message you want to sign here - + Date + Сана - Signature - + Type + Тури - Copy the current signature to the system clipboard - + Address + Манзил - Sign the message to prove you own this Bitcoin address - + Amount + Миқдори - Sign &Message - + Open until %1 + %1 гача очиш - Reset all sign message fields - + Confirmed (%1 confirmations) + Тасдиқланди (%1 та тасдиқ) - Clear &All - + This block was not received by any other nodes and will probably not be accepted! + Ушбу тўсиқ бирорта бошқа уланишлар томонидан қабул қилинмаган ва тасдиқланмаган! - &Verify Message - + Generated but not accepted + Яратилди, аммо қабул қилинмади - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - + Received with + Ёрдамида қабул қилиш - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Sent to + Жўнатиш - Verify the message to ensure it was signed with the specified Bitcoin address - + Payment to yourself + Ўзингизга тўлов - Verify &Message - + Mined + Фойда - Reset all verify message fields - + (n/a) + (қ/қ) - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - + Transaction status. Hover over this field to show number of confirmations. + Ўтказма ҳолати. Ушбу майдон бўйлаб тасдиқлашлар сонини кўрсатиш. - Click "Sign Message" to generate signature - + Date and time that the transaction was received. + Ўтказма қабул қилинган сана ва вақт. - The entered address is invalid. - + Type of transaction. + Пул ўтказмаси тури - Please check the address and try again. - + Destination address of transaction. + Ўтказиладиган жараён манзили. - The entered address does not refer to a key. - + Amount removed from or added to balance. + Миқдор ўчирилган ёки балансга қўшилган. + + + TransactionView - Wallet unlock was cancelled. - + All + Барча - Private key for the entered address is not available. - + Today + Бугун - Message signing failed. - + This week + Шу ҳафта - Message signed. - + This month + Шу ой - The signature could not be decoded. - + Last month + Ўтган хафта - Please check the signature and try again. - + This year + Шу йил - The signature did not match the message digest. - + Range... + Оралиқ... - Message verification failed. - + Received with + Ёрдамида қабул қилинган - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - + Sent to + Жўнатиш To yourself - + Ўзингизга Mined - + Фойда Other - + Бошка Enter address or label to search - + Излаш учун манзил ёки ёрлиқни киритинг Min amount - + Мин қиймат Copy address - + Манзилни нусхалаш Copy label - + Ёрликни нусхалаш Copy amount - + Кийматни нусхала Copy transaction ID - + Ўтказам рақамидан нусха олиш Edit label - - - - Show transaction details - - - - Export Transaction History - + Ёрликни тахрирлаш Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - + Экспорт қилиб бўлмади Comma separated file (*.csv) - + Вергул билан ажратилган файл (*.csv) Confirmed - + Тасдиқланди Date - + Сана Type - + Туркум Label - + Ёрлик Address - + Манзил Amount - + Миқдори ID - + ID Range: - + Оралиқ: to - + Кимга WalletFrame - - No wallet has been loaded. - - - + WalletModel Send Coins - + Тангаларни жунат WalletView &Export - + &Экспорт Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - + Жорий ички ойна ичидаги маълумотларни файлга экспорт қилиш - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core Usage: - + Фойдаланиш: List commands - + Буйруқлар рўйхати Get help for a command - + Буйруқ учун ёрдам олиш Options: - + Танламалар: Specify configuration file (default: bitcoin.conf) - + Мослаш файлини кўрсатинг (default: bitcoin.conf) Specify pid file (default: bitcoind.pid) - + pid файлини кўрсатинг (default: bitcoind.pid) Specify data directory - + Маълумотлар директориясини кўрсатинг - Listen for connections on <port> (default: 8333 or testnet: 18333) - + Accept command line and JSON-RPC commands + Буйруқлар сатри ва JSON-RPC буйруқларига рози бўлинг - Maintain at most <n> connections to peers (default: 125) - + Run in the background as a daemon and accept commands + Демон сифатида орқа фонда ишга туширинг ва буйруқларга рози бўлинг - Connect to a node to retrieve peer addresses, and disconnect - + Use the test network + Синов тармоғидан фойдаланинг - Specify your own public address - + Information + Маълумот - Threshold for disconnecting misbehaving peers (default: 100) - + Username for JSON-RPC connections + JSON-RPC уланишлари учун фойдаланувчи номи - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Warning + Диққат - An error occurred while setting up the RPC port %u for listening on IPv4: %s - + version + версияси - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - + Password for JSON-RPC connections + JSON-RPC уланишлари учун парол - Accept command line and JSON-RPC commands - + Allow JSON-RPC connections from specified IP address + Махсус IP манзиллардан JSON-RPC уланишларига рухсат бериш - Bitcoin Core RPC client version - + Send commands to node running on <ip> (default: 127.0.0.1) + <ip> (default: 127.0.0.1)да бажарилган уланишларга буйруқларни жўнатиш - Run in the background as a daemon and accept commands - + Use OpenSSL (https) for JSON-RPC connections + JSON-RPC уланишлари учун OpenSSL (https)дан фойдаланиш - Use the test network - + Server certificate file (default: server.cert) + Сервер сертификат файли (default: server.cert) - Accept connections from outside (default: 1 if no -proxy or -connect) - + Server private key (default: server.pem) + Сервер махфий калити (бирламчи: server.pem) - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - + This help message + Бу ёрдам хабари - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + Loading addresses... + Манзиллар юкланмоқда... - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + Loading block index... + Тўсиқ индекси юкланмоқда... - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - + Loading wallet... + Ҳамён юкланмоқда... - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + Rescanning... + Қайта текшириб чиқилмоқда... - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - + Done loading + Юклаш тайёр - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - + Error + Хатолик - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_vi.ts b/src/qt/locale/bitcoin_vi.ts index 88e37b5ea20..f0492a93619 100644 --- a/src/qt/locale/bitcoin_vi.ts +++ b/src/qt/locale/bitcoin_vi.ts @@ -1,36 +1,7 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage @@ -42,94 +13,18 @@ This product includes software developed by the OpenSSL Project for use in the O Tạo một địa chỉ mới - &New - - - Copy the currently selected address to the system clipboard Sao chép các địa chỉ đã được chọn vào bộ nhớ tạm thời của hệ thống - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - &Delete &Xóa - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - Comma separated file (*.csv) Tập tin tách biệt bởi dấu phẩy (*.csv) - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel @@ -147,3214 +42,166 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI + + + ClientModel + + + CoinControlDialog - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - + Amount + Số lượng - Show or hide the main Window - + Address + Địa chỉ - Encrypt the private keys that belong to your wallet - + (no label) + (chưa có nhãn) + + + EditAddressDialog + + + FreespaceChecker + + + HelpMessageDialog + + + Intro + + + OpenURIDialog + + + OptionsDialog + + + OverviewPage + + + PaymentServer + + + QObject + + + QRImageWidget + + + RPCConsole + + + ReceiveCoinsDialog + + + ReceiveRequestDialog - Sign messages with your Bitcoin addresses to prove you own them - + Address + Địa chỉ - Verify messages to ensure they were signed with specified Bitcoin addresses - + Amount + Số lượng - &File - + Label + Nhãn dữ liệu + + + RecentRequestsTableModel - &Settings - + Label + Nhãn dữ liệu - &Help - + Amount + Số lượng - Tabs toolbar - + (no label) + (chưa có nhãn) + + + SendCoinsDialog - [testnet] - + (no label) + (chưa có nhãn) + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen + + + TrafficGraphWidget + + + TransactionDesc - Bitcoin Core - + Amount + Số lượng + + + TransactionDescDialog + + + TransactionTableModel - Request payments (generates QR codes and bitcoin: URIs) - + Address + Địa chỉ - &About Bitcoin Core - + Amount + Số lượng + + + TransactionView - Show the list of used sending addresses and labels - + Comma separated file (*.csv) + Tập tin tách biệt bởi dấu phẩy (*.csv) - Show the list of used receiving addresses and labels - + Label + Nhãn dữ liệu - Open a bitcoin: URI or payment request - + Address + Địa chỉ - &Command-line options - + Amount + Số lượng - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - - - ClientModel - - Network Alert - - - - - CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - Số lượng - - - Address - Địa chỉ - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - (chưa có nhãn) - - - change from %1 (%2) - - - - (change) - - - + - EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + WalletFrame + - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + WalletModel + - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + WalletView + - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - Địa chỉ - - - Amount - Số lượng - - - Label - Nhãn dữ liệu - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - Nhãn dữ liệu - - - Message - - - - Amount - Số lượng - - - (no label) - (chưa có nhãn) - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - (chưa có nhãn) - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - Số lượng - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - Địa chỉ - - - Amount - Số lượng - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - Tập tin tách biệt bởi dấu phẩy (*.csv) - - - Confirmed - - - - Date - - - - Type - - - - Label - Nhãn dữ liệu - - - Address - Địa chỉ - - - Amount - Số lượng - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + bitcoin-core + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_vi_VN.ts b/src/qt/locale/bitcoin_vi_VN.ts index 743e7119d1e..259a1fd57e2 100644 --- a/src/qt/locale/bitcoin_vi_VN.ts +++ b/src/qt/locale/bitcoin_vi_VN.ts @@ -1,538 +1,261 @@ - + AboutDialog About Bitcoin Core - + Về Bitcoin Core - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - Double-click to edit address or label - - - Create a new address Tạo một địa chỉ mới &New - + &Mới Copy the currently selected address to the system clipboard - + Copy địa chỉ được chọn vào clipboard &Copy - + &Copy C&lose - + Đó&ng &Copy Address - + &Copy Địa Chỉ Delete the currently selected address from the list - + Xóa địa chỉ hiện tại từ danh sách Export the data in the current tab to a file - + Xuất dữ liệu trong mục hiện tại ra file &Export - + X&uất &Delete - + &Xó&a Choose the address to send coins to - + Chọn địa chỉ để gửi coin tới Choose the address to receive coins with - + Chọn địa chỉ để nhận coin C&hoose - + C&họn Sending addresses - + Địa chỉ gửi Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - + Địa chỉ nhận Copy &Label - + Copy &Nhãn &Edit - + &Sửa Export Address List - + Xuất Danh Sách Địa Chỉ Comma separated file (*.csv) - + Comma separated file (*.csv) Exporting Failed - - - - There was an error trying to save the address list to %1. - + Xuất Đã Thất Bại - + AddressTableModel Label - + Nhãn Address - + Địa chỉ (no label) - + (không nhãn) AskPassphraseDialog Passphrase Dialog - + Hội thoại Passphrase Enter passphrase - + Điền passphrase New passphrase - + Passphrase mới Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - + Điền lại passphrase Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - + Mã hóa ví Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - + Mở khóa ví Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - + Giải mã ví Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - + Ví đã được mã hóa - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - Sign &message... - - - - Synchronizing with network... - - - &Overview - + &Tổng quan Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - + Node E&xit - + T&hoát Quit application - - - - Show information about Bitcoin - + Thoát chương trình About &Qt - + Về &Qt Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - + Xem thông tin về Qt Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - + Mở &URI... Bitcoin - + Bitcoin Wallet - + &Send - + &Gửi &Receive - + &Nhận &Show / Hide - + Ẩn / H&iện Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - + Hiện hoặc ẩn cửa sổ chính &File - + &File &Settings - + &Thiết lập &Help - - - - Tabs toolbar - - - - [testnet] - + Trợ &giúp Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - + Bitcoin Core &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - + &Về Bitcoin Core %n hour(s) - + %n giờ %n day(s) - + %n ngày %n week(s) - + %n tuần %1 and %2 - + %1 và %2 %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - + %n năm Error - + Lỗi Warning - + Chú ý Information - + Thông tin Up to date - - - - Catching up... - + Đã cập nhật Sent transaction - + Giao dịch đã gửi Incoming transaction - + Giao dịch đang tới Date: %1 @@ -540,2821 +263,477 @@ Amount: %2 Type: %3 Address: %4 - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - + Ngày: %1 +Lượng: %2 +Loại: %3 +Địa chỉ: %4 + - + ClientModel Network Alert - + Network Alert CoinControlDialog - Coin Control Address Selection - - - Quantity: - + Lượng: Bytes: - + Bytes: Amount: - + Lượng: Priority: - + Tầm quan trọng: Fee: - - - - Low Output: - - - - After Fee: - + Phí: Change: - - - - (un)select all - - - - Tree mode - - - - List mode - + Thay đổi: Amount - + Lượng Address - + Địa chỉ Date - + Ngày tháng Confirmations - + Lần xác nhận Confirmed - + Đã xác nhận Priority - + Tầm quan trọng Copy address - + Copy địa chỉ Copy label - + Copy nhãn Copy amount - - - - Copy transaction ID - + Lượng copy - Lock unspent - - - - Unlock unspent - - - - Copy quantity - + low + thấp - Copy fee - + lower + thấp hơn - Copy after fee - + lowest + thấp nhất - Copy bytes - + yes + - Copy priority - + no + không - Copy low output - + (no label) + (không nhãn) + + + EditAddressDialog + + + FreespaceChecker - Copy change - + name + tên + + + HelpMessageDialog - highest - + Bitcoin Core + Bitcoin Core - higher - + version + version + + + Intro - high - + Welcome + Chào mừng - medium-high - + Bitcoin + Bitcoin - medium - + Error + Lỗi + + + OpenURIDialog - low-medium - + Open URI + Mở URI - low - + URI: + URI: + + + OptionsDialog - lower - + Options + Lựa chọn - lowest - + &Main + &Chính - (%1 locked) - + MB + MB - none - + &Display + &Hiển thị - Dust - + &OK + &OK - yes - + &Cancel + &Từ chối - no - + default + mặc định + + + OverviewPage - This label turns red, if the transaction size is greater than 1000 bytes. - + Form + Form - This means a fee of at least %1 per kB is required. - + Wallet + - Can vary +/- 1 byte per input. - + Total: + Tổng: + + + PaymentServer + + + QObject - Transactions with higher priority are more likely to get included into a block. - + Bitcoin + Bitcoin + + + QRImageWidget + + + RPCConsole - This label turns red, if the priority is smaller than "medium". - + General + Nhìn Chung - This label turns red, if any recipient receives an amount smaller than %1. - + Name + Tên - This means a fee of at least %1 is required. - + Block chain + Block chain + + + ReceiveCoinsDialog - Amounts below 0.546 times the minimum relay fee are shown as dust. - + Copy label + Copy nhãn - This label turns red, if the change is smaller than %1. - + Copy amount + Lượng copy + + + ReceiveRequestDialog - (no label) - + Address + Địa chỉ - change from %1 (%2) - + Amount + Lượng - (change) - + Label + Nhãn - + - EditAddressDialog + RecentRequestsTableModel - Edit Address - + Date + Ngày tháng - &Label - + Label + Nhãn - The label associated with this address list entry - + Amount + Lượng - The address associated with this address list entry. This can only be modified for sending addresses. - + (no label) + (không nhãn) + + + SendCoinsDialog - &Address - + Quantity: + Lượng: - New receiving address - + Bytes: + Bytes: - New sending address - + Amount: + Lượng: - Edit receiving address - + Priority: + Tầm quan trọng: - Edit sending address - + Fee: + Phí: - The entered address "%1" is already in the address book. - + Change: + Thay đổi: - The entered address "%1" is not a valid Bitcoin address. - + Copy amount + Lượng copy - Could not unlock wallet. - + (no label) + (không nhãn) + + + SendCoinsEntry + + + ShutdownWindow + + + SignVerifyMessageDialog + + + SplashScreen - New key generation failed. - - - - - FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - - - HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - - - Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - - - OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - - - OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - - - OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - - - PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - - - QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - - QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - - - RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - - - ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - - - ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - - - RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - - - SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - - - SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - - - ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - - - SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - - - SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - - - TrafficGraphWidget - - KB/s - - - - - TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - - - TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - - - TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - - - TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - - - WalletFrame - - No wallet has been loaded. - - - - - WalletModel - - Send Coins - - - - - WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - - - bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - + Bitcoin Core + Bitcoin Core + + + TrafficGraphWidget + + + TransactionDesc - Set the number of threads to service RPC calls (default: 4) - + Date + Ngày tháng - Specify wallet file (within data directory) - + Amount + Lượng + + + TransactionDescDialog + + + TransactionTableModel - Spend unconfirmed change when sending transactions (default: 1) - + Date + Ngày tháng - This is intended for regression testing tools and app development. - + Address + Địa chỉ - Usage (deprecated, use bitcoin-cli): - + Amount + Lượng + + + TransactionView - Verifying blocks... - + Copy address + Copy địa chỉ - Verifying wallet... - + Copy label + Copy nhãn - Wait for RPC server to start - + Copy amount + Lượng copy - Wallet %s resides outside data directory %s - + Exporting Failed + Xuất Đã Thất Bại - Wallet options: - + Comma separated file (*.csv) + Comma separated file (*.csv) - Warning: Deprecated argument -debugnet ignored, use -debug=net - + Confirmed + Đã xác nhận - You need to rebuild the database using -reindex to change -txindex - + Date + Ngày tháng - Imports blocks from external blk000??.dat file - + Label + Nhãn - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + Address + Địa chỉ - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - + Amount + Lượng + + + WalletFrame + + + WalletModel + + + WalletView - Output debugging information (default: 0, supplying <category> is optional) - + &Export + X&uất - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - + Export the data in the current tab to a file + Xuất dữ liệu trong mục hiện tại ra file + + + bitcoin-core Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - + Thông tin Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - + Giao dịch quá lớn Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - + Chú ý on startup - + khi khởi động version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - + version This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - + Thông điệp trợ giúp này Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - + Đang đọc các địa chỉ... Insufficient funds - + Không đủ tiền Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - + Đang đọc block index... Loading wallet... - + Đang đọc ví... Cannot downgrade wallet - + Không downgrade được ví Cannot write default address - + Không ghi được địa chỉ mặc định Rescanning... - + Đang quét lại... Done loading - - - - To use the %s option - + Đã nạp xong Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - + Lỗi - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_zh_CN.ts b/src/qt/locale/bitcoin_zh_CN.ts index a8859892d6e..a65233503b5 100644 --- a/src/qt/locale/bitcoin_zh_CN.ts +++ b/src/qt/locale/bitcoin_zh_CN.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -770,8 +770,8 @@ Address: %4 交易的优先级越高,被矿工收入数据块的速度也越快。 - This label turns red, if the priority is smaller than "medium". - 如果优先级小于"中位数" ,标签将变成红色。 + This label turns red, if the priority is smaller than "medium". + 如果优先级小于"中位数" ,标签将变成红色。 This label turns red, if any recipient receives an amount smaller than %1. @@ -841,11 +841,11 @@ Address: %4 编辑发送地址 - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. 输入的地址“%1”已经存在于地址簿中。 - The entered address "%1" is not a valid Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. 您输入的“%1”不是有效的比特币地址。 @@ -907,7 +907,7 @@ Address: %4 UI选项 - Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) 设置语言, 例如“zh-TW”(默认为系统语言) @@ -917,7 +917,7 @@ Address: %4 Set SSL root certificates for payment request (default: -system-) - + 设置SSL根证书的付款请求(默认:-系统-) Show splash screen on startup (default: 1) @@ -959,7 +959,7 @@ Address: %4 比特币 - Error: Specified data directory "%1" can not be created. + Error: Specified data directory "%1" can not be created. 错误:指定的数据目录“%1”无法创建。 @@ -1049,6 +1049,14 @@ Address: %4 代理的 IP 地址 (例如 IPv4: 127.0.0.1 / IPv6: ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + 出现在交易的选项卡的上下文菜单项的第三方网址 (例如:区块链接查询) 。 %s的URL被替换为交易哈希。多个的URL需要竖线 | 分隔。 + + + Third party transaction URLs + 第三方交易网址 + + Active command-line options that override above options: 有效的命令行参数覆盖上述选项: @@ -1066,7 +1074,7 @@ Address: %4 (0 = auto, <0 = leave that many cores free) - + (0 = 自动, <0 = 离开很多免费的核心) W&allet @@ -1078,7 +1086,7 @@ Address: %4 Enable coin &control features - + 启动货币 &控制功能 If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. @@ -1086,7 +1094,7 @@ Address: %4 &Spend unconfirmed change - + &选择未经确认的花费 Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. @@ -1287,7 +1295,7 @@ Address: %4 网络管理器警告 - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. 您的活动代理不支持 SOCKS5,而通过代理进行支付请求时这是必须的。 @@ -1338,20 +1346,20 @@ Address: %4 比特币 - Error: Specified data directory "%1" does not exist. + Error: Specified data directory "%1" does not exist. 错误:指定的数据目录“%1”不存在。 Error: Cannot parse configuration file: %1. Only use key=value syntax. - + 错误: 无法解析配置文件: %1. 只有钥匙=重要的私匙. Error: Invalid combination of -regtest and -testnet. 错误:无效的 -regtest 与 -testnet 结合体。 - Bitcoin Core did't yet exit safely... - + Bitcoin Core didn't yet exit safely... + 比特币核心钱包没有安全退出.... Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) @@ -2065,7 +2073,7 @@ Address: %4 请输入比特币地址 (例如: 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature + Click "Sign Message" to generate signature 单击“签名消息“产生签名。 @@ -2238,7 +2246,7 @@ Address: %4 商店 - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. 生成的比特币在可以使用前必须有 %1 个成熟的区块。当您生成了此区块后,它将被广播到网络中以加入区块链。如果它未成功进入区块链,其状态将变更为“不接受”并且不可使用。这可能偶尔会发生,如果另一个节点比你早几秒钟成功生成一个区块。 @@ -2659,7 +2667,7 @@ Address: %4 Bitcoin Core RPC client version - + 比特币核心钱包RPC客户端版本 Run in the background as a daemon and accept commands @@ -2686,7 +2694,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, 您必须在配置文件设置rpcpassword: %s @@ -2697,7 +2705,7 @@ rpcpassword=%s 用户名和密码 必! 须! 不一样。 如果配置文件不存在,请自行建立一个只有所有者拥有只读权限的文件。 推荐您开启提示通知以便收到错误通知, -像这样: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +像这样: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com @@ -2714,7 +2722,7 @@ rpcpassword=%s Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - + 自由交易不断的速率限制为<n>*1000 字节每分钟(默认值:15) Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. @@ -2726,7 +2734,7 @@ rpcpassword=%s Error: Listening for incoming connections failed (listen returned error %d) - + 错误: 监听接收连接失败 (监听错误 %d) Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. @@ -2742,27 +2750,27 @@ rpcpassword=%s Fees smaller than this are considered zero fee (for transaction creation) (default: - + 比这手续费更小的被认为零手续费 (交易产生) (默认: Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - + 从缓冲池清理磁盘数据库活动日志每<n>兆字节 (默认值: 100) How thorough the block verification of -checkblocks is (0-4, default: 3) - + 如何有效的验证checkblocks区块(0-4, 默认值: 3) In this mode -genproclimit controls how many blocks are generated immediately. - + 在-genproclimit这种模式下控制产出多少区块 Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - + 设置脚本验证的程序 (%u 到 %d, 0 = 自动, <0 = 保留自由的核心, 默认值: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) - + 设置处理器生成的限制 (-1 = 无限, 默认值: -1) This is a pre-release test build - use at your own risk - do not use for mining or merchant applications @@ -2770,7 +2778,7 @@ rpcpassword=%s Unable to bind to %s on this computer. Bitcoin Core is probably already running. - + 无法 %s的绑定到电脑上,比特币核心钱包可能已经在运行。 Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) @@ -2781,7 +2789,7 @@ rpcpassword=%s 警告:-paytxfee 交易费设置得太高了!每笔交易都将支付交易费。 - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. 警告:请检查电脑的日期时间设置是否正确!时间错误可能会导致比特币客户端运行异常。 @@ -2802,11 +2810,11 @@ rpcpassword=%s (default: 1) - + (默认值: 1) (default: wallet.dat) - + (默认: wallet.dat) <category> can be: @@ -2842,7 +2850,7 @@ rpcpassword=%s Connection options: - + 连接选项: Corrupted block database detected @@ -2850,11 +2858,11 @@ rpcpassword=%s Debugging/Testing options: - + 调试/测试选项: Disable safemode, override a real safe mode event (default: 0) - + 禁止使用安全模式,重新写入一个真正的安全模式日志(默认值: 0) Discover own IP address (default: 1 when listening and no -externalip) @@ -2946,7 +2954,7 @@ rpcpassword=%s Fees smaller than this are considered zero fee (for relaying) (default: - + 比这手续费更小的被认为零手续费 (中继) (默认值: Find peers using DNS lookup (default: 1 unless -connect) @@ -2954,7 +2962,7 @@ rpcpassword=%s Force safe mode (default: 0) - + 强制安全模式(默认值: 0) Generate coins (default: 0) @@ -2977,7 +2985,7 @@ rpcpassword=%s 不正确或没有找到起源区块。网络错误? - Invalid -onion address: '%s' + Invalid -onion address: '%s' 无效的 -onion 地址:“%s” @@ -3002,7 +3010,7 @@ rpcpassword=%s Set database cache size in megabytes (%d to %d, default: %d) - + 设置以MB为单位的数据库缓存大小(%d 到 %d, 默认值: %d) Set maximum block size in bytes (default: %d) @@ -3062,7 +3070,7 @@ rpcpassword=%s Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - + 无法获取数据目录的 %s. 比特币核心钱包可能已经在运行. Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) @@ -3081,20 +3089,20 @@ rpcpassword=%s 信息 - Invalid amount for -minrelaytxfee=<amount>: '%s' - -minrelaytxfee=<amount>: '%s' 无效的金额 + Invalid amount for -minrelaytxfee=<amount>: '%s' + -minrelaytxfee=<amount>: '%s' 无效的金额 - Invalid amount for -mintxfee=<amount>: '%s' - -mintxfee=<amount>: '%s' 无效的金额 + Invalid amount for -mintxfee=<amount>: '%s' + -mintxfee=<amount>: '%s' 无效的金额 Limit size of signature cache to <n> entries (default: 50000) - + 签名缓冲大小限制每<n> 条目 (默认值: 50000) Log transaction priority and fee per kB when mining blocks (default: 0) - + 开采区块时,日志优先级和手续费每KB (默认值: 0) Maintain a full transaction index (default: 0) @@ -3118,15 +3126,15 @@ rpcpassword=%s Print block on startup, if found in block index - + 如果在搜索区块中找到,请启动打印区块 Print block tree on startup (default: 0) - 启动时打印块树 (默认: 0) + 启动时打印区块树 (默认值: 0) RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + RPC SSL选项:(见有关比特币设置用于SSL说明的维基百科) RPC server options: @@ -3134,15 +3142,15 @@ rpcpassword=%s Randomly drop 1 of every <n> network messages - + 随机每1个丢失测试<n>网络信息 Randomly fuzz 1 of every <n> network messages - + 随机每1个模拟测试<n>网络信息 Run a thread to flush wallet periodically (default: 1) - + 运行一个程序,定时清理钱包 (默认值:1) SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3150,7 +3158,7 @@ rpcpassword=%s Send command to Bitcoin Core - + 发送指令到比特币核心钱包 Send trace/debug info to console instead of debug.log file @@ -3162,15 +3170,15 @@ rpcpassword=%s Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - + 设置DB_PRIVATE钱包标志DB环境 (默认值: 1) Show all debugging options (usage: --help -help-debug) - + 显示所有调试选项 (用法: --帮助 -帮助调试) Show benchmark information (default: 0) - + 显示标准信息 (默认值: 0) Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3186,7 +3194,7 @@ rpcpassword=%s Start Bitcoin Core Daemon - + 开启比特币核心钱包守护进程 System error: @@ -3230,7 +3238,7 @@ rpcpassword=%s on startup - + 启动中 version @@ -3318,11 +3326,11 @@ rpcpassword=%s wallet.dat 钱包文件加载出错 - Invalid -proxy address: '%s' + Invalid -proxy address: '%s' 无效的代理地址:%s - Unknown network specified in -onlynet: '%s' + Unknown network specified in -onlynet: '%s' -onlynet 指定的是未知网络:%s @@ -3330,16 +3338,16 @@ rpcpassword=%s 被指定的是未知socks代理版本: %i - Cannot resolve -bind address: '%s' - 无法解析 -bind 端口地址: '%s' + Cannot resolve -bind address: '%s' + 无法解析 -bind 端口地址: '%s' - Cannot resolve -externalip address: '%s' - 无法解析 -externalip 地址: '%s' + Cannot resolve -externalip address: '%s' + 无法解析 -externalip 地址: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - 非法金额 -paytxfee=<amount>: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + 非法金额 -paytxfee=<amount>: '%s' Invalid amount diff --git a/src/qt/locale/bitcoin_zh_HK.ts b/src/qt/locale/bitcoin_zh_HK.ts index cf729a3f923..8c448cc85f5 100644 --- a/src/qt/locale/bitcoin_zh_HK.ts +++ b/src/qt/locale/bitcoin_zh_HK.ts @@ -1,3360 +1,107 @@ - + AboutDialog - - About Bitcoin Core - - - - <b>Bitcoin Core</b> version - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - - - - Copyright - - - - The Bitcoin Core developers - - - - (%1-bit) - - - + AddressBookPage - - Double-click to edit address or label - - - - Create a new address - - - - &New - - - - Copy the currently selected address to the system clipboard - - - - &Copy - - - - C&lose - - - - &Copy Address - - - - Delete the currently selected address from the list - - - - Export the data in the current tab to a file - - - - &Export - - - - &Delete - - - - Choose the address to send coins to - - - - Choose the address to receive coins with - - - - C&hoose - - - - Sending addresses - - - - Receiving addresses - - - - These are your Bitcoin addresses for sending payments. Always check the amount and the receiving address before sending coins. - - - - These are your Bitcoin addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - - - - Copy &Label - - - - &Edit - - - - Export Address List - - - - Comma separated file (*.csv) - - - - Exporting Failed - - - - There was an error trying to save the address list to %1. - - - + AddressTableModel - - Label - - - - Address - - - - (no label) - - - + AskPassphraseDialog - - Passphrase Dialog - - - - Enter passphrase - - - - New passphrase - - - - Repeat new passphrase - - - - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - - - - Encrypt wallet - - - - This operation needs your wallet passphrase to unlock the wallet. - - - - Unlock wallet - - - - This operation needs your wallet passphrase to decrypt the wallet. - - - - Decrypt wallet - - - - Change passphrase - - - - Enter the old and new passphrase to the wallet. - - - - Confirm wallet encryption - - - - Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR BITCOINS</b>! - - - - Are you sure you wish to encrypt your wallet? - - - - IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - - - - Warning: The Caps Lock key is on! - - - - Wallet encrypted - - - - Bitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your bitcoins from being stolen by malware infecting your computer. - - - - Wallet encryption failed - - - - Wallet encryption failed due to an internal error. Your wallet was not encrypted. - - - - The supplied passphrases do not match. - - - - Wallet unlock failed - - - - The passphrase entered for the wallet decryption was incorrect. - - - - Wallet decryption failed - - - - Wallet passphrase was successfully changed. - - - + BitcoinGUI - - Sign &message... - - - - Synchronizing with network... - - - - &Overview - - - - Node - - - - Show general overview of wallet - - - - &Transactions - - - - Browse transaction history - - - - E&xit - - - - Quit application - - - - Show information about Bitcoin - - - - About &Qt - - - - Show information about Qt - - - - &Options... - - - - &Encrypt Wallet... - - - - &Backup Wallet... - - - - &Change Passphrase... - - - - &Sending addresses... - - - - &Receiving addresses... - - - - Open &URI... - - - - Importing blocks from disk... - - - - Reindexing blocks on disk... - - - - Send coins to a Bitcoin address - - - - Modify configuration options for Bitcoin - - - - Backup wallet to another location - - - - Change the passphrase used for wallet encryption - - - - &Debug window - - - - Open debugging and diagnostic console - - - - &Verify message... - - - - Bitcoin - - - - Wallet - - - - &Send - - - - &Receive - - - - &Show / Hide - - - - Show or hide the main Window - - - - Encrypt the private keys that belong to your wallet - - - - Sign messages with your Bitcoin addresses to prove you own them - - - - Verify messages to ensure they were signed with specified Bitcoin addresses - - - - &File - - - - &Settings - - - - &Help - - - - Tabs toolbar - - - - [testnet] - - - - Bitcoin Core - - - - Request payments (generates QR codes and bitcoin: URIs) - - - - &About Bitcoin Core - - - - Show the list of used sending addresses and labels - - - - Show the list of used receiving addresses and labels - - - - Open a bitcoin: URI or payment request - - - - &Command-line options - - - - Show the Bitcoin Core help message to get a list with possible Bitcoin command-line options - - - - Bitcoin client - - - - %n active connection(s) to Bitcoin network - - - - No block source available... - - - - Processed %1 of %2 (estimated) blocks of transaction history. - - - - Processed %1 blocks of transaction history. - - - - %n hour(s) - - - - %n day(s) - - - - %n week(s) - - - - %1 and %2 - - - - %n year(s) - - - - %1 behind - - - - Last received block was generated %1 ago. - - - - Transactions after this will not yet be visible. - - - - Error - - - - Warning - - - - Information - - - - Up to date - - - - Catching up... - - - - Sent transaction - - - - Incoming transaction - - - - Date: %1 -Amount: %2 -Type: %3 -Address: %4 - - - - - Wallet is <b>encrypted</b> and currently <b>unlocked</b> - - - - Wallet is <b>encrypted</b> and currently <b>locked</b> - - - - A fatal error occurred. Bitcoin can no longer continue safely and will quit. - - - + ClientModel - - Network Alert - - - + CoinControlDialog - - Coin Control Address Selection - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - (un)select all - - - - Tree mode - - - - List mode - - - - Amount - - - - Address - - - - Date - - - - Confirmations - - - - Confirmed - - - - Priority - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Lock unspent - - - - Unlock unspent - - - - Copy quantity - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - highest - - - - higher - - - - high - - - - medium-high - - - - medium - - - - low-medium - - - - low - - - - lower - - - - lowest - - - - (%1 locked) - - - - none - - - - Dust - - - - yes - - - - no - - - - This label turns red, if the transaction size is greater than 1000 bytes. - - - - This means a fee of at least %1 per kB is required. - - - - Can vary +/- 1 byte per input. - - - - Transactions with higher priority are more likely to get included into a block. - - - - This label turns red, if the priority is smaller than "medium". - - - - This label turns red, if any recipient receives an amount smaller than %1. - - - - This means a fee of at least %1 is required. - - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - - - - This label turns red, if the change is smaller than %1. - - - - (no label) - - - - change from %1 (%2) - - - - (change) - - - + EditAddressDialog - - Edit Address - - - - &Label - - - - The label associated with this address list entry - - - - The address associated with this address list entry. This can only be modified for sending addresses. - - - - &Address - - - - New receiving address - - - - New sending address - - - - Edit receiving address - - - - Edit sending address - - - - The entered address "%1" is already in the address book. - - - - The entered address "%1" is not a valid Bitcoin address. - - - - Could not unlock wallet. - - - - New key generation failed. - - - + FreespaceChecker - - A new data directory will be created. - - - - name - - - - Directory already exists. Add %1 if you intend to create a new directory here. - - - - Path already exists, and is not a directory. - - - - Cannot create data directory here. - - - + HelpMessageDialog - - Bitcoin Core - Command-line options - - - - Bitcoin Core - - - - version - - - - Usage: - - - - command-line options - - - - UI options - - - - Set language, for example "de_DE" (default: system locale) - - - - Start minimized - - - - Set SSL root certificates for payment request (default: -system-) - - - - Show splash screen on startup (default: 1) - - - - Choose data directory on startup (default: 0) - - - + Intro - - Welcome - - - - Welcome to Bitcoin Core. - - - - As this is the first time the program is launched, you can choose where Bitcoin Core will store its data. - - - - Bitcoin Core will download and store a copy of the Bitcoin block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - - - - Use the default data directory - - - - Use a custom data directory: - - - - Bitcoin - - - - Error: Specified data directory "%1" can not be created. - - - - Error - - - - GB of free space available - - - - (of %1GB needed) - - - + OpenURIDialog - - Open URI - - - - Open payment request from URI or file - - - - URI: - - - - Select payment request file - - - - Select payment request file to open - - - + OptionsDialog - - Options - - - - &Main - - - - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - - - - Pay transaction &fee - - - - Automatically start Bitcoin after logging in to the system. - - - - &Start Bitcoin on system login - - - - Size of &database cache - - - - MB - - - - Number of script &verification threads - - - - Connect to the Bitcoin network through a SOCKS proxy. - - - - &Connect through SOCKS proxy (default proxy): - - - - IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) - - - - Active command-line options that override above options: - - - - Reset all client options to default. - - - - &Reset Options - - - - &Network - - - - (0 = auto, <0 = leave that many cores free) - - - - W&allet - - - - Expert - - - - Enable coin &control features - - - - If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. - - - - &Spend unconfirmed change - - - - Automatically open the Bitcoin client port on the router. This only works when your router supports UPnP and it is enabled. - - - - Map port using &UPnP - - - - Proxy &IP: - - - - &Port: - - - - Port of the proxy (e.g. 9050) - - - - SOCKS &Version: - - - - SOCKS version of the proxy (e.g. 5) - - - - &Window - - - - Show only a tray icon after minimizing the window. - - - - &Minimize to the tray instead of the taskbar - - - - Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. - - - - M&inimize on close - - - - &Display - - - - User Interface &language: - - - - The user interface language can be set here. This setting will take effect after restarting Bitcoin. - - - - &Unit to show amounts in: - - - - Choose the default subdivision unit to show in the interface and when sending coins. - - - - Whether to show Bitcoin addresses in the transaction list or not. - - - - &Display addresses in transaction list - - - - Whether to show coin control features or not. - - - - &OK - - - - &Cancel - - - - default - - - - none - - - - Confirm options reset - - - - Client restart required to activate changes. - - - - Client will be shutdown, do you want to proceed? - - - - This change would require a client restart. - - - - The supplied proxy address is invalid. - - - + OverviewPage - - Form - - - - The displayed information may be out of date. Your wallet automatically synchronizes with the Bitcoin network after a connection is established, but this process has not completed yet. - - - - Wallet - - - - Available: - - - - Your current spendable balance - - - - Pending: - - - - Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance - - - - Immature: - - - - Mined balance that has not yet matured - - - - Total: - - - - Your current total balance - - - - <b>Recent transactions</b> - - - - out of sync - - - + PaymentServer - - URI handling - - - - URI can not be parsed! This can be caused by an invalid Bitcoin address or malformed URI parameters. - - - - Requested payment amount of %1 is too small (considered dust). - - - - Payment request error - - - - Cannot start bitcoin: click-to-pay handler - - - - Net manager warning - - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - - - - Payment request fetch URL is invalid: %1 - - - - Payment request file handling - - - - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - - - - Unverified payment requests to custom payment scripts are unsupported. - - - - Refund from %1 - - - - Error communicating with %1: %2 - - - - Payment request can not be parsed or processed! - - - - Bad response from server %1 - - - - Payment acknowledged - - - - Network request error - - - + QObject - - Bitcoin - - - - Error: Specified data directory "%1" does not exist. - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - - - - Error: Invalid combination of -regtest and -testnet. - - - - Bitcoin Core did't yet exit safely... - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - + QRImageWidget - - &Save Image... - - - - &Copy Image - - - - Save QR Code - - - - PNG Image (*.png) - - - + RPCConsole - - Client name - - - - N/A - - - - Client version - - - - &Information - - - - Debug window - - - - General - - - - Using OpenSSL version - - - - Startup time - - - - Network - - - - Name - - - - Number of connections - - - - Block chain - - - - Current number of blocks - - - - Estimated total blocks - - - - Last block time - - - - &Open - - - - &Console - - - - &Network Traffic - - - - &Clear - - - - Totals - - - - In: - - - - Out: - - - - Build date - - - - Debug log file - - - - Open the Bitcoin debug log file from the current data directory. This can take a few seconds for large log files. - - - - Clear console - - - - Welcome to the Bitcoin RPC console. - - - - Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. - - - - Type <b>help</b> for an overview of available commands. - - - - %1 B - - - - %1 KB - - - - %1 MB - - - - %1 GB - - - - %1 m - - - - %1 h - - - - %1 h %2 m - - - + ReceiveCoinsDialog - - &Amount: - - - - &Label: - - - - &Message: - - - - Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. - - - - R&euse an existing receiving address (not recommended) - - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - An optional label to associate with the new receiving address. - - - - Use this form to request payments. All fields are <b>optional</b>. - - - - An optional amount to request. Leave this empty or zero to not request a specific amount. - - - - Clear all fields of the form. - - - - Clear - - - - Requested payments history - - - - &Request payment - - - - Show the selected request (does the same as double clicking an entry) - - - - Show - - - - Remove the selected entries from the list - - - - Remove - - - - Copy label - - - - Copy message - - - - Copy amount - - - + ReceiveRequestDialog - - QR Code - - - - Copy &URI - - - - Copy &Address - - - - &Save Image... - - - - Request payment to %1 - - - - Payment information - - - - URI - - - - Address - - - - Amount - - - - Label - - - - Message - - - - Resulting URI too long, try to reduce the text for label / message. - - - - Error encoding URI into QR Code. - - - + RecentRequestsTableModel - - Date - - - - Label - - - - Message - - - - Amount - - - - (no label) - - - - (no message) - - - - (no amount) - - - + SendCoinsDialog - - Send Coins - - - - Coin Control Features - - - - Inputs... - - - - automatically selected - - - - Insufficient funds! - - - - Quantity: - - - - Bytes: - - - - Amount: - - - - Priority: - - - - Fee: - - - - Low Output: - - - - After Fee: - - - - Change: - - - - If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - - - - Custom change address - - - - Send to multiple recipients at once - - - - Add &Recipient - - - - Clear all fields of the form. - - - - Clear &All - - - - Balance: - - - - Confirm the send action - - - - S&end - - - - Confirm send coins - - - - %1 to %2 - - - - Copy quantity - - - - Copy amount - - - - Copy fee - - - - Copy after fee - - - - Copy bytes - - - - Copy priority - - - - Copy low output - - - - Copy change - - - - Total Amount %1 (= %2) - - - - or - - - - The recipient address is not valid, please recheck. - - - - The amount to pay must be larger than 0. - - - - The amount exceeds your balance. - - - - The total exceeds your balance when the %1 transaction fee is included. - - - - Duplicate address found, can only send to each address once per send operation. - - - - Transaction creation failed! - - - - The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Warning: Invalid Bitcoin address - - - - (no label) - - - - Warning: Unknown change address - - - - Are you sure you want to send? - - - - added as transaction fee - - - - Payment request expired - - - - Invalid payment address %1 - - - + SendCoinsEntry - - A&mount: - - - - Pay &To: - - - - The address to send the payment to (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Enter a label for this address to add it to your address book - - - - &Label: - - - - Choose previously used address - - - - This is a normal payment. - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Remove this entry - - - - Message: - - - - This is a verified payment request. - - - - Enter a label for this address to add it to the list of used addresses - - - - A message that was attached to the bitcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Bitcoin network. - - - - This is an unverified payment request. - - - - Pay To: - - - - Memo: - - - + ShutdownWindow - - Bitcoin Core is shutting down... - - - - Do not shut down the computer until this window disappears. - - - + SignVerifyMessageDialog - - Signatures - Sign / Verify a Message - - - - &Sign Message - - - - You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. - - - - The address to sign the message with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Choose previously used address - - - - Alt+A - - - - Paste address from clipboard - - - - Alt+P - - - - Enter the message you want to sign here - - - - Signature - - - - Copy the current signature to the system clipboard - - - - Sign the message to prove you own this Bitcoin address - - - - Sign &Message - - - - Reset all sign message fields - - - - Clear &All - - - - &Verify Message - - - - Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - - - - The address the message was signed with (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Verify the message to ensure it was signed with the specified Bitcoin address - - - - Verify &Message - - - - Reset all verify message fields - - - - Enter a Bitcoin address (e.g. 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - - - - Click "Sign Message" to generate signature - - - - The entered address is invalid. - - - - Please check the address and try again. - - - - The entered address does not refer to a key. - - - - Wallet unlock was cancelled. - - - - Private key for the entered address is not available. - - - - Message signing failed. - - - - Message signed. - - - - The signature could not be decoded. - - - - Please check the signature and try again. - - - - The signature did not match the message digest. - - - - Message verification failed. - - - - Message verified. - - - + SplashScreen - - Bitcoin Core - - - - The Bitcoin Core developers - - - - [testnet] - - - + TrafficGraphWidget - - KB/s - - - + TransactionDesc - - Open until %1 - - - - conflicted - - - - %1/offline - - - - %1/unconfirmed - - - - %1 confirmations - - - - Status - - - - , broadcast through %n node(s) - - - - Date - - - - Source - - - - Generated - - - - From - - - - To - - - - own address - - - - label - - - - Credit - - - - matures in %n more block(s) - - - - not accepted - - - - Debit - - - - Transaction fee - - - - Net amount - - - - Message - - - - Comment - - - - Transaction ID - - - - Merchant - - - - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - - - - Debug information - - - - Transaction - - - - Inputs - - - - Amount - - - - true - - - - false - - - - , has not been successfully broadcast yet - - - - Open for %n more block(s) - - - - unknown - - - + TransactionDescDialog - - Transaction details - - - - This pane shows a detailed description of the transaction - - - + TransactionTableModel - - Date - - - - Type - - - - Address - - - - Amount - - - - Immature (%1 confirmations, will be available after %2) - - - - Open for %n more block(s) - - - - Open until %1 - - - - Confirmed (%1 confirmations) - - - - This block was not received by any other nodes and will probably not be accepted! - - - - Generated but not accepted - - - - Offline - - - - Unconfirmed - - - - Confirming (%1 of %2 recommended confirmations) - - - - Conflicted - - - - Received with - - - - Received from - - - - Sent to - - - - Payment to yourself - - - - Mined - - - - (n/a) - - - - Transaction status. Hover over this field to show number of confirmations. - - - - Date and time that the transaction was received. - - - - Type of transaction. - - - - Destination address of transaction. - - - - Amount removed from or added to balance. - - - + TransactionView - - All - - - - Today - - - - This week - - - - This month - - - - Last month - - - - This year - - - - Range... - - - - Received with - - - - Sent to - - - - To yourself - - - - Mined - - - - Other - - - - Enter address or label to search - - - - Min amount - - - - Copy address - - - - Copy label - - - - Copy amount - - - - Copy transaction ID - - - - Edit label - - - - Show transaction details - - - - Export Transaction History - - - - Exporting Failed - - - - There was an error trying to save the transaction history to %1. - - - - Exporting Successful - - - - The transaction history was successfully saved to %1. - - - - Comma separated file (*.csv) - - - - Confirmed - - - - Date - - - - Type - - - - Label - - - - Address - - - - Amount - - - - ID - - - - Range: - - - - to - - - + WalletFrame - - No wallet has been loaded. - - - + WalletModel - - Send Coins - - - + WalletView - - &Export - - - - Export the data in the current tab to a file - - - - Backup Wallet - - - - Wallet Data (*.dat) - - - - Backup Failed - - - - There was an error trying to save the wallet data to %1. - - - - The wallet data was successfully saved to %1. - - - - Backup Successful - - - + bitcoin-core - - Usage: - - - - List commands - - - - Get help for a command - - - - Options: - - - - Specify configuration file (default: bitcoin.conf) - - - - Specify pid file (default: bitcoind.pid) - - - - Specify data directory - - - - Listen for connections on <port> (default: 8333 or testnet: 18333) - - - - Maintain at most <n> connections to peers (default: 125) - - - - Connect to a node to retrieve peer addresses, and disconnect - - - - Specify your own public address - - - - Threshold for disconnecting misbehaving peers (default: 100) - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - - - - Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332) - - - - Accept command line and JSON-RPC commands - - - - Bitcoin Core RPC client version - - - - Run in the background as a daemon and accept commands - - - - Use the test network - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - - - - %s, you must set a rpcpassword in the configuration file: -%s -It is recommended you use the following random password: -rpcuser=bitcoinrpc -rpcpassword=%s -(you do not need to remember this password) -The username and password MUST NOT be the same. -If the file does not exist, create it with owner-readable-only file permissions. -It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com - - - - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - - - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - - - - Error: Listening for incoming connections failed (listen returned error %d) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - - - - Unable to bind to %s on this computer. Bitcoin Core is probably already running. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - - - - (default: 1) - - - - (default: wallet.dat) - - - - <category> can be: - - - - Attempt to recover private keys from a corrupt wallet.dat - - - - Bitcoin Core Daemon - - - - Block creation options: - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - - - - Connect only to the specified node(s) - - - - Connect through SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 8332 or testnet: 18332) - - - - Connection options: - - - - Corrupted block database detected - - - - Debugging/Testing options: - - - - Disable safemode, override a real safe mode event (default: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - - - - Do you want to rebuild the block database now? - - - - Error initializing block database - - - - Error initializing wallet database environment %s! - - - - Error loading block database - - - - Error opening block database - - - - Error: Disk space is low! - - - - Error: Wallet locked, unable to create transaction! - - - - Error: system error: - - - - Failed to listen on any port. Use -listen=0 if you want this. - - - - Failed to read block info - - - - Failed to read block - - - - Failed to sync block index - - - - Failed to write block index - - - - Failed to write block info - - - - Failed to write block - - - - Failed to write file info - - - - Failed to write to coin database - - - - Failed to write transaction index - - - - Failed to write undo data - - - - Fee per kB to add to transactions you send - - - - Fees smaller than this are considered zero fee (for relaying) (default: - - - - Find peers using DNS lookup (default: 1 unless -connect) - - - - Force safe mode (default: 0) - - - - Generate coins (default: 0) - - - - How many blocks to check at startup (default: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - - - - Importing... - - - - Incorrect or no genesis block found. Wrong datadir for network? - - - - Invalid -onion address: '%s' - - - - Not enough file descriptors available. - - - - Prepend debug output with timestamp (default: 1) - - - - RPC client options: - - - - Rebuild block chain index from current blk000??.dat files - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - - - - Set database cache size in megabytes (%d to %d, default: %d) - - - - Set maximum block size in bytes (default: %d) - - - - Set the number of threads to service RPC calls (default: 4) - - - - Specify wallet file (within data directory) - - - - Spend unconfirmed change when sending transactions (default: 1) - - - - This is intended for regression testing tools and app development. - - - - Usage (deprecated, use bitcoin-cli): - - - - Verifying blocks... - - - - Verifying wallet... - - - - Wait for RPC server to start - - - - Wallet %s resides outside data directory %s - - - - Wallet options: - - - - Warning: Deprecated argument -debugnet ignored, use -debug=net - - - - You need to rebuild the database using -reindex to change -txindex - - - - Imports blocks from external blk000??.dat file - - - - Cannot obtain a lock on data directory %s. Bitcoin Core is probably already running. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - - - - Output debugging information (default: 0, supplying <category> is optional) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - - - - Information - - - - Invalid amount for -minrelaytxfee=<amount>: '%s' - - - - Invalid amount for -mintxfee=<amount>: '%s' - - - - Limit size of signature cache to <n> entries (default: 50000) - - - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - Maintain a full transaction index (default: 0) - - - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - - - - Only accept block chain matching built-in checkpoints (default: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - - - - Print block on startup, if found in block index - - - - Print block tree on startup (default: 0) - - - - RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - RPC server options: - - - - Randomly drop 1 of every <n> network messages - - - - Randomly fuzz 1 of every <n> network messages - - - - Run a thread to flush wallet periodically (default: 1) - - - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - - - - Send command to Bitcoin Core - - - - Send trace/debug info to console instead of debug.log file - - - - Set minimum block size in bytes (default: 0) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - - - - Show all debugging options (usage: --help -help-debug) - - - - Show benchmark information (default: 0) - - - - Shrink debug.log file on client startup (default: 1 when no -debug) - - - - Signing transaction failed - - - - Specify connection timeout in milliseconds (default: 5000) - - - - Start Bitcoin Core Daemon - - - - System error: - - - - Transaction amount too small - - - - Transaction amounts must be positive - - - - Transaction too large - - - - Use UPnP to map the listening port (default: 0) - - - - Use UPnP to map the listening port (default: 1 when listening) - - - - Username for JSON-RPC connections - - - - Warning - - - - Warning: This version is obsolete, upgrade required! - - - - Zapping all transactions from wallet... - - - - on startup - - - - version - - - - wallet.dat corrupt, salvage failed - - - - Password for JSON-RPC connections - - - - Allow JSON-RPC connections from specified IP address - - - - Send commands to node running on <ip> (default: 127.0.0.1) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - - - - Upgrade wallet to latest format - - - - Set key pool size to <n> (default: 100) - - - - Rescan the block chain for missing wallet transactions - - - - Use OpenSSL (https) for JSON-RPC connections - - - - Server certificate file (default: server.cert) - - - - Server private key (default: server.pem) - - - - This help message - - - - Unable to bind to %s on this computer (bind returned error %d, %s) - - - - Allow DNS lookups for -addnode, -seednode and -connect - - - - Loading addresses... - - - - Error loading wallet.dat: Wallet corrupted - - - - Error loading wallet.dat: Wallet requires newer version of Bitcoin - - - - Wallet needed to be rewritten: restart Bitcoin to complete - - - - Error loading wallet.dat - - - - Invalid -proxy address: '%s' - - - - Unknown network specified in -onlynet: '%s' - - - - Unknown -socks proxy version requested: %i - - - - Cannot resolve -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - - - - Invalid amount for -paytxfee=<amount>: '%s' - - - - Invalid amount - - - - Insufficient funds - - - - Loading block index... - - - - Add a node to connect to and attempt to keep the connection open - - - - Loading wallet... - - - - Cannot downgrade wallet - - - - Cannot write default address - - - - Rescanning... - - - - Done loading - - - - To use the %s option - - - - Error - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - - - + \ No newline at end of file diff --git a/src/qt/locale/bitcoin_zh_TW.ts b/src/qt/locale/bitcoin_zh_TW.ts index 4f7561ab9ef..a17effb52ef 100644 --- a/src/qt/locale/bitcoin_zh_TW.ts +++ b/src/qt/locale/bitcoin_zh_TW.ts @@ -1,4 +1,4 @@ - + AboutDialog @@ -772,7 +772,7 @@ Address: %4 優先度較高的交易比較有可能被接受放進區塊中。 - This label turns red, if the priority is smaller than "medium". + This label turns red, if the priority is smaller than "medium". 當優先度低於「中等」時,文字會變紅色。 @@ -843,11 +843,11 @@ Address: %4 編輯付款位址 - The entered address "%1" is already in the address book. + The entered address "%1" is already in the address book. 輸入的位址 %1 在位址簿中已經有了。 - The entered address "%1" is not a valid Bitcoin address. + The entered address "%1" is not a valid Bitcoin address. 輸入的位址 %1 並不是有效的位元幣位址。 @@ -909,7 +909,7 @@ Address: %4 使用界面選項 - Set language, for example "de_DE" (default: system locale) + Set language, for example "de_DE" (default: system locale) 設定語言,比如說 de_DE (預設值: 系統語系) @@ -960,7 +960,7 @@ Address: %4 位元幣 - Error: Specified data directory "%1" can not be created. + Error: Specified data directory "%1" can not be created. 錯誤: 沒辦法造出指定的資料目錄 %1 。 @@ -1050,6 +1050,14 @@ Address: %4 代理伺服器的網際網路位址(像是 IPv4 的 127.0.0.1 或 IPv6 的 ::1) + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. + 在交易頁籤的情境選單出現的第三方(比如說區塊探索網站)網址連結。網址中的 %s 會被取代為交易的雜湊值。可以用直線符號 | 來分隔多個連結。 + + + Third party transaction URLs + 交易的第三方網址連結 + + Active command-line options that override above options: 從命令列取代掉以上設定的選項有: @@ -1288,7 +1296,7 @@ Address: %4 網路管理員警告 - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. + Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. 目前使用中的代理伺服器不支援 SOCKS5 通訊協定,因此不能透過它來要求付款。 @@ -1339,7 +1347,7 @@ Address: %4 位元幣 - Error: Specified data directory "%1" does not exist. + Error: Specified data directory "%1" does not exist. 錯誤: 沒有指定的資料目錄 %1 。 @@ -1351,7 +1359,7 @@ Address: %4 錯誤: -regtest 和 -testnet 的使用組合無效。 - Bitcoin Core did't yet exit safely... + Bitcoin Core didn't yet exit safely... 位元幣核心還沒有安全地結束... @@ -2066,7 +2074,7 @@ Address: %4 請輸入位元幣位址(像是 1NS17iag9jJgTHD1VXjvLCEnZuQ3rJDE9L) - Click "Sign Message" to generate signature + Click "Sign Message" to generate signature 請按一下「簽署訊息」來產生簽章 @@ -2239,7 +2247,7 @@ Address: %4 商家 - Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. 生產出來的錢要再等 %1 個區塊生出來後才成熟可以用。當區塊生產出來時會公布到網路上,來被加進區塊鏈。如果加失敗了,狀態就會變成「不被接受」,而且不能夠花。如果在你生產出區塊的幾秒鐘內,也有其他節點生產出來的話,就有可能會發生這種情形。 @@ -2678,7 +2686,7 @@ rpcpassword=%s The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; -for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +for example: alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com %s, 你必須要在以下設定檔中設定 RPC 密碼(rpcpassword): %s @@ -2690,7 +2698,7 @@ rpcpassword=%s 如果還沒有這個設定檔,請在造出來的時候,設定檔案權限成「只有主人才能讀取」。 也建議你設定警示通知,發生問題時你才會被通知到; 比如說設定成: -alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com +alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -2750,7 +2758,7 @@ alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - 設定指令碼驗證的執行緒數目 (%u 到 %d,0 表示程式自動決定,小於 0 表示保留處理器核心不用的數目,預設值: 0) + 設定指令碼驗證的執行緒數目 (%u 到 %d,0 表示程式自動決定,小於 0 表示保留處理器核心不用的數目,預設值: %d) Set the processor limit for when generation is on (-1 = unlimited, default: -1) @@ -2773,7 +2781,7 @@ alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com警告: -paytxfee 設定了很高的金額!這可是你交易付款所要付的手續費。 - Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. + Warning: Please check that your computer's date and time are correct! If your clock is wrong Bitcoin will not work properly. 警告: 請檢查電腦日期和時間是否正確!位元幣軟體沒辦法在時鐘不準的情況下正常運作。 @@ -2969,8 +2977,8 @@ alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com創世區塊不正確或找不到。資料目錄錯了嗎? - Invalid -onion address: '%s' - 無效的 -onion 位址: '%s' + Invalid -onion address: '%s' + 無效的 -onion 位址: '%s' Not enough file descriptors available. @@ -3073,12 +3081,12 @@ alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com資訊 - Invalid amount for -minrelaytxfee=<amount>: '%s' - 設定最低轉發手續費 -minrelaytxfee=<金額> 的金額無效: '%s' + Invalid amount for -minrelaytxfee=<amount>: '%s' + 設定最低轉發手續費 -minrelaytxfee=<金額> 的金額無效: '%s' - Invalid amount for -mintxfee=<amount>: '%s' - 設定 -mintxfee=<金額> 的金額無效: '%s' + Invalid amount for -mintxfee=<amount>: '%s' + 設定 -mintxfee=<金額> 的金額無效: '%s' Limit size of signature cache to <n> entries (default: 50000) @@ -3305,28 +3313,28 @@ alertnotify=echo %%s | mail -s "Bitcoin Alert" admin@foo.com載入錢包檔 wallet.dat 時發生錯誤 - Invalid -proxy address: '%s' - 無效的 -proxy 位址: '%s' + Invalid -proxy address: '%s' + 無效的 -proxy 位址: '%s' - Unknown network specified in -onlynet: '%s' - 在 -onlynet 指定了不明的網路別: '%s' + Unknown network specified in -onlynet: '%s' + 在 -onlynet 指定了不明的網路別: '%s' Unknown -socks proxy version requested: %i 在 -socks 指定了不明的代理協定版本: %i - Cannot resolve -bind address: '%s' - 沒辦法解析 -bind 位址: '%s' + Cannot resolve -bind address: '%s' + 沒辦法解析 -bind 位址: '%s' - Cannot resolve -externalip address: '%s' - 沒辦法解析 -externalip 位址: '%s' + Cannot resolve -externalip address: '%s' + 沒辦法解析 -externalip 位址: '%s' - Invalid amount for -paytxfee=<amount>: '%s' - 設定 -paytxfee=<金額> 的金額無效: '%s' + Invalid amount for -paytxfee=<amount>: '%s' + 設定 -paytxfee=<金額> 的金額無效: '%s' Invalid amount diff --git a/src/qt/macdockiconhandler.mm b/src/qt/macdockiconhandler.mm index 64291c9188a..74fb64ace30 100644 --- a/src/qt/macdockiconhandler.mm +++ b/src/qt/macdockiconhandler.mm @@ -62,6 +62,8 @@ - (void)handleDockClickEvent:(NSAppleEventDescriptor*)event withReplyEvent:(NSAp this->setMainWindow(NULL); #if QT_VERSION < 0x050000 qt_mac_set_dock_menu(this->m_dockMenu); +#elif QT_VERSION >= 0x050200 + this->m_dockMenu->setAsDockMenu(); #endif [pool release]; } diff --git a/src/qt/paymentserver.cpp b/src/qt/paymentserver.cpp index ca6ae179905..e43b350a925 100644 --- a/src/qt/paymentserver.cpp +++ b/src/qt/paymentserver.cpp @@ -191,7 +191,7 @@ bool PaymentServer::ipcParseCommandLine(int argc, char* argv[]) savedPaymentRequests.append(arg); SendCoinsRecipient r; - if (GUIUtil::parseBitcoinURI(arg, &r)) + if (GUIUtil::parseBitcoinURI(arg, &r) && !r.address.isEmpty()) { CBitcoinAddress address(r.address.toStdString()); diff --git a/src/qt/rpcconsole.cpp b/src/qt/rpcconsole.cpp index ba5871ae2b1..0a46a722e43 100644 --- a/src/qt/rpcconsole.cpp +++ b/src/qt/rpcconsole.cpp @@ -271,8 +271,8 @@ void RPCConsole::setClientModel(ClientModel *model) setNumConnections(model->getNumConnections()); connect(model, SIGNAL(numConnectionsChanged(int)), this, SLOT(setNumConnections(int))); - setNumBlocks(model->getNumBlocks(), model->getNumBlocksOfPeers()); - connect(model, SIGNAL(numBlocksChanged(int,int)), this, SLOT(setNumBlocks(int,int))); + setNumBlocks(model->getNumBlocks()); + connect(model, SIGNAL(numBlocksChanged(int)), this, SLOT(setNumBlocks(int))); updateTrafficStats(model->getTotalBytesRecv(), model->getTotalBytesSent()); connect(model, SIGNAL(bytesChanged(quint64,quint64)), this, SLOT(updateTrafficStats(quint64, quint64))); @@ -366,11 +366,9 @@ void RPCConsole::setNumConnections(int count) ui->numberOfConnections->setText(connections); } -void RPCConsole::setNumBlocks(int count, int countOfPeers) +void RPCConsole::setNumBlocks(int count) { ui->numberOfBlocks->setText(QString::number(count)); - // If there is no current countOfPeers available display N/A instead of 0, which can't ever be true - ui->totalBlocks->setText(countOfPeers == 0 ? tr("N/A") : QString::number(countOfPeers)); if(clientModel) ui->lastBlockTime->setText(clientModel->getLastBlockDate().toString()); } diff --git a/src/qt/rpcconsole.h b/src/qt/rpcconsole.h index f7a77720500..091a6d294f3 100644 --- a/src/qt/rpcconsole.h +++ b/src/qt/rpcconsole.h @@ -52,7 +52,7 @@ public slots: /** Set number of connections shown in the UI */ void setNumConnections(int count); /** Set number of blocks shown in the UI */ - void setNumBlocks(int count, int countOfPeers); + void setNumBlocks(int count); /** Go forward or back in history */ void browseHistory(int offset); /** Scroll console view to end */ diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 1ed8a8e866e..aa1ef14a784 100644 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -64,8 +64,8 @@ Object blockToJSON(const CBlock& block, const CBlockIndex* blockindex) BOOST_FOREACH(const CTransaction&tx, block.vtx) txs.push_back(tx.GetHash().GetHex()); result.push_back(Pair("tx", txs)); - result.push_back(Pair("time", (boost::int64_t)block.GetBlockTime())); - result.push_back(Pair("nonce", (boost::uint64_t)block.nNonce)); + result.push_back(Pair("time", block.GetBlockTime())); + result.push_back(Pair("nonce", (uint64_t)block.nNonce)); result.push_back(Pair("bits", HexBits(block.nBits))); result.push_back(Pair("difficulty", GetDifficulty(blockindex))); result.push_back(Pair("chainwork", blockindex->nChainWork.GetHex())); @@ -175,7 +175,7 @@ Value getrawmempool(const Array& params, bool fHelp) Object info; info.push_back(Pair("size", (int)e.GetTxSize())); info.push_back(Pair("fee", ValueFromAmount(e.GetFee()))); - info.push_back(Pair("time", (boost::int64_t)e.GetTime())); + info.push_back(Pair("time", e.GetTime())); info.push_back(Pair("height", (int)e.GetHeight())); info.push_back(Pair("startingpriority", e.GetPriority(e.GetHeight()))); info.push_back(Pair("currentpriority", e.GetPriority(chainActive.Height()))); @@ -276,7 +276,9 @@ Value getblock(const Array& params, bool fHelp) CBlock block; CBlockIndex* pblockindex = mapBlockIndex[hash]; - ReadBlockFromDisk(block, pblockindex); + + if(!ReadBlockFromDisk(block, pblockindex)) + throw JSONRPCError(RPC_INTERNAL_ERROR, "Can't read block from disk"); if (!fVerbose) { @@ -315,11 +317,11 @@ Value gettxoutsetinfo(const Array& params, bool fHelp) CCoinsStats stats; if (pcoinsTip->GetStats(stats)) { - ret.push_back(Pair("height", (boost::int64_t)stats.nHeight)); + ret.push_back(Pair("height", (int64_t)stats.nHeight)); ret.push_back(Pair("bestblock", stats.hashBlock.GetHex())); - ret.push_back(Pair("transactions", (boost::int64_t)stats.nTransactions)); - ret.push_back(Pair("txouts", (boost::int64_t)stats.nTransactionOutputs)); - ret.push_back(Pair("bytes_serialized", (boost::int64_t)stats.nSerializedSize)); + ret.push_back(Pair("transactions", (int64_t)stats.nTransactions)); + ret.push_back(Pair("txouts", (int64_t)stats.nTransactionOutputs)); + ret.push_back(Pair("bytes_serialized", (int64_t)stats.nSerializedSize)); ret.push_back(Pair("hash_serialized", stats.hashSerialized.GetHex())); ret.push_back(Pair("total_amount", ValueFromAmount(stats.nTotalAmount))); } diff --git a/src/rpcclient.cpp b/src/rpcclient.cpp index 8620a87297a..5e62b7130be 100644 --- a/src/rpcclient.cpp +++ b/src/rpcclient.cpp @@ -40,7 +40,7 @@ Object CallRPC(const string& strMethod, const Array& params) bool fUseSSL = GetBoolArg("-rpcssl", false); asio::io_service io_service; ssl::context context(io_service, ssl::context::sslv23); - context.set_options(ssl::context::no_sslv2); + context.set_options(ssl::context::no_sslv2 | ssl::context::no_sslv3); asio::ssl::stream sslStream(io_service, context); SSLIOStreamDevice d(sslStream, fUseSSL); iostreams::stream< SSLIOStreamDevice > stream(d); @@ -128,53 +128,53 @@ Array RPCConvertValues(const std::string &strMethod, const std::vector 0) ConvertTo(params[0]); if (strMethod == "getaddednodeinfo" && n > 0) ConvertTo(params[0]); if (strMethod == "setgenerate" && n > 0) ConvertTo(params[0]); - if (strMethod == "setgenerate" && n > 1) ConvertTo(params[1]); - if (strMethod == "getnetworkhashps" && n > 0) ConvertTo(params[0]); - if (strMethod == "getnetworkhashps" && n > 1) ConvertTo(params[1]); + if (strMethod == "setgenerate" && n > 1) ConvertTo(params[1]); + if (strMethod == "getnetworkhashps" && n > 0) ConvertTo(params[0]); + if (strMethod == "getnetworkhashps" && n > 1) ConvertTo(params[1]); if (strMethod == "sendtoaddress" && n > 1) ConvertTo(params[1]); if (strMethod == "settxfee" && n > 0) ConvertTo(params[0]); - if (strMethod == "getreceivedbyaddress" && n > 1) ConvertTo(params[1]); - if (strMethod == "getreceivedbyaccount" && n > 1) ConvertTo(params[1]); - if (strMethod == "listreceivedbyaddress" && n > 0) ConvertTo(params[0]); + if (strMethod == "getreceivedbyaddress" && n > 1) ConvertTo(params[1]); + if (strMethod == "getreceivedbyaccount" && n > 1) ConvertTo(params[1]); + if (strMethod == "listreceivedbyaddress" && n > 0) ConvertTo(params[0]); if (strMethod == "listreceivedbyaddress" && n > 1) ConvertTo(params[1]); - if (strMethod == "listreceivedbyaccount" && n > 0) ConvertTo(params[0]); + if (strMethod == "listreceivedbyaccount" && n > 0) ConvertTo(params[0]); if (strMethod == "listreceivedbyaccount" && n > 1) ConvertTo(params[1]); - if (strMethod == "getbalance" && n > 1) ConvertTo(params[1]); - if (strMethod == "getblockhash" && n > 0) ConvertTo(params[0]); + if (strMethod == "getbalance" && n > 1) ConvertTo(params[1]); + if (strMethod == "getblockhash" && n > 0) ConvertTo(params[0]); if (strMethod == "move" && n > 2) ConvertTo(params[2]); - if (strMethod == "move" && n > 3) ConvertTo(params[3]); + if (strMethod == "move" && n > 3) ConvertTo(params[3]); if (strMethod == "sendfrom" && n > 2) ConvertTo(params[2]); - if (strMethod == "sendfrom" && n > 3) ConvertTo(params[3]); - if (strMethod == "listtransactions" && n > 1) ConvertTo(params[1]); - if (strMethod == "listtransactions" && n > 2) ConvertTo(params[2]); - if (strMethod == "listaccounts" && n > 0) ConvertTo(params[0]); - if (strMethod == "walletpassphrase" && n > 1) ConvertTo(params[1]); + if (strMethod == "sendfrom" && n > 3) ConvertTo(params[3]); + if (strMethod == "listtransactions" && n > 1) ConvertTo(params[1]); + if (strMethod == "listtransactions" && n > 2) ConvertTo(params[2]); + if (strMethod == "listaccounts" && n > 0) ConvertTo(params[0]); + if (strMethod == "walletpassphrase" && n > 1) ConvertTo(params[1]); if (strMethod == "getblocktemplate" && n > 0) ConvertTo(params[0]); - if (strMethod == "listsinceblock" && n > 1) ConvertTo(params[1]); + if (strMethod == "listsinceblock" && n > 1) ConvertTo(params[1]); if (strMethod == "sendmany" && n > 1) ConvertTo(params[1]); - if (strMethod == "sendmany" && n > 2) ConvertTo(params[2]); - if (strMethod == "addmultisigaddress" && n > 0) ConvertTo(params[0]); + if (strMethod == "sendmany" && n > 2) ConvertTo(params[2]); + if (strMethod == "addmultisigaddress" && n > 0) ConvertTo(params[0]); if (strMethod == "addmultisigaddress" && n > 1) ConvertTo(params[1]); - if (strMethod == "createmultisig" && n > 0) ConvertTo(params[0]); + if (strMethod == "createmultisig" && n > 0) ConvertTo(params[0]); if (strMethod == "createmultisig" && n > 1) ConvertTo(params[1]); - if (strMethod == "listunspent" && n > 0) ConvertTo(params[0]); - if (strMethod == "listunspent" && n > 1) ConvertTo(params[1]); + if (strMethod == "listunspent" && n > 0) ConvertTo(params[0]); + if (strMethod == "listunspent" && n > 1) ConvertTo(params[1]); if (strMethod == "listunspent" && n > 2) ConvertTo(params[2]); if (strMethod == "getblock" && n > 1) ConvertTo(params[1]); - if (strMethod == "getrawtransaction" && n > 1) ConvertTo(params[1]); + if (strMethod == "getrawtransaction" && n > 1) ConvertTo(params[1]); if (strMethod == "createrawtransaction" && n > 0) ConvertTo(params[0]); if (strMethod == "createrawtransaction" && n > 1) ConvertTo(params[1]); if (strMethod == "signrawtransaction" && n > 1) ConvertTo(params[1], true); if (strMethod == "signrawtransaction" && n > 2) ConvertTo(params[2], true); if (strMethod == "sendrawtransaction" && n > 1) ConvertTo(params[1], true); - if (strMethod == "gettxout" && n > 1) ConvertTo(params[1]); + if (strMethod == "gettxout" && n > 1) ConvertTo(params[1]); if (strMethod == "gettxout" && n > 2) ConvertTo(params[2]); if (strMethod == "lockunspent" && n > 0) ConvertTo(params[0]); if (strMethod == "lockunspent" && n > 1) ConvertTo(params[1]); if (strMethod == "importprivkey" && n > 2) ConvertTo(params[2]); - if (strMethod == "verifychain" && n > 0) ConvertTo(params[0]); - if (strMethod == "verifychain" && n > 1) ConvertTo(params[1]); - if (strMethod == "keypoolrefill" && n > 0) ConvertTo(params[0]); + if (strMethod == "verifychain" && n > 0) ConvertTo(params[0]); + if (strMethod == "verifychain" && n > 1) ConvertTo(params[1]); + if (strMethod == "keypoolrefill" && n > 0) ConvertTo(params[0]); if (strMethod == "getrawmempool" && n > 0) ConvertTo(params[0]); return params; diff --git a/src/rpcmining.cpp b/src/rpcmining.cpp index 070cf1cb2a3..ef99cb30597 100644 --- a/src/rpcmining.cpp +++ b/src/rpcmining.cpp @@ -88,7 +88,7 @@ Value GetNetworkHashPS(int lookup, int height) { uint256 workDiff = pb->nChainWork - pb0->nChainWork; int64_t timeDiff = maxTime - minTime; - return (boost::int64_t)(workDiff.getdouble() / timeDiff); + return (int64_t)(workDiff.getdouble() / timeDiff); } Value getnetworkhashps(const Array& params, bool fHelp) @@ -226,8 +226,8 @@ Value gethashespersec(const Array& params, bool fHelp) ); if (GetTimeMillis() - nHPSTimerStart > 8000) - return (boost::int64_t)0; - return (boost::int64_t)dHashesPerSec; + return (int64_t)0; + return (int64_t)dHashesPerSec; } #endif diff --git a/src/rpcmisc.cpp b/src/rpcmisc.cpp index ae154f2ae4d..27d6d61a36f 100644 --- a/src/rpcmisc.cpp +++ b/src/rpcmisc.cpp @@ -69,18 +69,18 @@ Value getinfo(const Array& params, bool fHelp) } #endif obj.push_back(Pair("blocks", (int)chainActive.Height())); - obj.push_back(Pair("timeoffset", (boost::int64_t)GetTimeOffset())); + obj.push_back(Pair("timeoffset", GetTimeOffset())); obj.push_back(Pair("connections", (int)vNodes.size())); obj.push_back(Pair("proxy", (proxy.first.IsValid() ? proxy.first.ToStringIPPort() : string()))); obj.push_back(Pair("difficulty", (double)GetDifficulty())); obj.push_back(Pair("testnet", TestNet())); #ifdef ENABLE_WALLET if (pwalletMain) { - obj.push_back(Pair("keypoololdest", (boost::int64_t)pwalletMain->GetOldestKeyPoolTime())); + obj.push_back(Pair("keypoololdest", pwalletMain->GetOldestKeyPoolTime())); obj.push_back(Pair("keypoolsize", (int)pwalletMain->GetKeyPoolSize())); } if (pwalletMain && pwalletMain->IsCrypted()) - obj.push_back(Pair("unlocked_until", (boost::int64_t)nWalletUnlockTime)); + obj.push_back(Pair("unlocked_until", nWalletUnlockTime)); obj.push_back(Pair("paytxfee", ValueFromAmount(nTransactionFee))); #endif obj.push_back(Pair("relayfee", ValueFromAmount(CTransaction::nMinRelayTxFee))); @@ -176,7 +176,7 @@ Value validateaddress(const Array& params, bool fHelp) // // Used by addmultisigaddress / createmultisig: // -CScript _createmultisig(const Array& params) +CScript _createmultisig_redeemScript(const Array& params) { int nRequired = params[0].get_int(); const Array& keys = params[1].get_array(); @@ -187,7 +187,7 @@ CScript _createmultisig(const Array& params) if ((int)keys.size() < nRequired) throw runtime_error( strprintf("not enough keys supplied " - "(got %"PRIszu" keys, but need at least %d to redeem)", keys.size(), nRequired)); + "(got %u keys, but need at least %d to redeem)", keys.size(), nRequired)); std::vector pubkeys; pubkeys.resize(keys.size()); for (unsigned int i = 0; i < keys.size(); i++) @@ -228,6 +228,11 @@ CScript _createmultisig(const Array& params) } CScript result; result.SetMultisig(nRequired, pubkeys); + + if (result.size() > MAX_SCRIPT_ELEMENT_SIZE) + throw runtime_error( + strprintf("redeemScript exceeds size limit: %d > %d", result.size(), MAX_SCRIPT_ELEMENT_SIZE)); + return result; } @@ -263,7 +268,7 @@ Value createmultisig(const Array& params, bool fHelp) } // Construct using pay-to-script-hash: - CScript inner = _createmultisig(params); + CScript inner = _createmultisig_redeemScript(params); CScriptID innerID = inner.GetID(); CBitcoinAddress address(innerID); diff --git a/src/rpcnet.cpp b/src/rpcnet.cpp index 573d6cd3f67..024f6a09de0 100644 --- a/src/rpcnet.cpp +++ b/src/rpcnet.cpp @@ -116,11 +116,11 @@ Value getpeerinfo(const Array& params, bool fHelp) if (!(stats.addrLocal.empty())) obj.push_back(Pair("addrlocal", stats.addrLocal)); obj.push_back(Pair("services", strprintf("%08x", stats.nServices))); - obj.push_back(Pair("lastsend", (boost::int64_t)stats.nLastSend)); - obj.push_back(Pair("lastrecv", (boost::int64_t)stats.nLastRecv)); - obj.push_back(Pair("bytessent", (boost::int64_t)stats.nSendBytes)); - obj.push_back(Pair("bytesrecv", (boost::int64_t)stats.nRecvBytes)); - obj.push_back(Pair("conntime", (boost::int64_t)stats.nTimeConnected)); + obj.push_back(Pair("lastsend", stats.nLastSend)); + obj.push_back(Pair("lastrecv", stats.nLastRecv)); + obj.push_back(Pair("bytessent", stats.nSendBytes)); + obj.push_back(Pair("bytesrecv", stats.nRecvBytes)); + obj.push_back(Pair("conntime", stats.nTimeConnected)); obj.push_back(Pair("pingtime", stats.dPingTime)); if (stats.dPingWait > 0.0) obj.push_back(Pair("pingwait", stats.dPingWait)); @@ -328,9 +328,9 @@ Value getnettotals(const Array& params, bool fHelp) ); Object obj; - obj.push_back(Pair("totalbytesrecv", static_cast< boost::uint64_t>(CNode::GetTotalBytesRecv()))); - obj.push_back(Pair("totalbytessent", static_cast(CNode::GetTotalBytesSent()))); - obj.push_back(Pair("timemillis", static_cast(GetTimeMillis()))); + obj.push_back(Pair("totalbytesrecv", CNode::GetTotalBytesRecv())); + obj.push_back(Pair("totalbytessent", CNode::GetTotalBytesSent())); + obj.push_back(Pair("timemillis", GetTimeMillis())); return obj; } @@ -365,7 +365,7 @@ Value getnetworkinfo(const Array& params, bool fHelp) Object obj; obj.push_back(Pair("version", (int)CLIENT_VERSION)); obj.push_back(Pair("protocolversion",(int)PROTOCOL_VERSION)); - obj.push_back(Pair("timeoffset", (boost::int64_t)GetTimeOffset())); + obj.push_back(Pair("timeoffset", GetTimeOffset())); obj.push_back(Pair("connections", (int)vNodes.size())); obj.push_back(Pair("proxy", (proxy.first.IsValid() ? proxy.first.ToStringIPPort() : string()))); obj.push_back(Pair("relayfee", ValueFromAmount(CTransaction::nMinRelayTxFee))); diff --git a/src/rpcprotocol.cpp b/src/rpcprotocol.cpp index 652b14d187e..2718f81783c 100644 --- a/src/rpcprotocol.cpp +++ b/src/rpcprotocol.cpp @@ -51,15 +51,7 @@ string HTTPPost(const string& strMsg, const map& mapRequestHeader static string rfc1123Time() { - char buffer[64]; - time_t now; - time(&now); - struct tm* now_gmt = gmtime(&now); - string locale(setlocale(LC_TIME, NULL)); - setlocale(LC_TIME, "C"); // we want POSIX (aka "C") weekday/month strings - strftime(buffer, sizeof(buffer), "%a, %d %b %Y %H:%M:%S +0000", now_gmt); - setlocale(LC_TIME, locale.c_str()); - return string(buffer); + return DateTimeStrFormat("%a, %d %b %Y %H:%M:%S +0000", GetTime()); } string HTTPReply(int nStatus, const string& strMsg, bool keepalive) @@ -92,7 +84,7 @@ string HTTPReply(int nStatus, const string& strMsg, bool keepalive) "HTTP/1.1 %d %s\r\n" "Date: %s\r\n" "Connection: %s\r\n" - "Content-Length: %"PRIszu"\r\n" + "Content-Length: %u\r\n" "Content-Type: application/json\r\n" "Server: bitcoin-json-rpc/%s\r\n" "\r\n" diff --git a/src/rpcrawtransaction.cpp b/src/rpcrawtransaction.cpp index e86d6808e19..552061bec52 100644 --- a/src/rpcrawtransaction.cpp +++ b/src/rpcrawtransaction.cpp @@ -55,7 +55,7 @@ void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry) { entry.push_back(Pair("txid", tx.GetHash().GetHex())); entry.push_back(Pair("version", tx.nVersion)); - entry.push_back(Pair("locktime", (boost::int64_t)tx.nLockTime)); + entry.push_back(Pair("locktime", (int64_t)tx.nLockTime)); Array vin; BOOST_FOREACH(const CTxIn& txin, tx.vin) { @@ -65,13 +65,13 @@ void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry) else { in.push_back(Pair("txid", txin.prevout.hash.GetHex())); - in.push_back(Pair("vout", (boost::int64_t)txin.prevout.n)); + in.push_back(Pair("vout", (int64_t)txin.prevout.n)); Object o; o.push_back(Pair("asm", txin.scriptSig.ToString())); o.push_back(Pair("hex", HexStr(txin.scriptSig.begin(), txin.scriptSig.end()))); in.push_back(Pair("scriptSig", o)); } - in.push_back(Pair("sequence", (boost::int64_t)txin.nSequence)); + in.push_back(Pair("sequence", (int64_t)txin.nSequence)); vin.push_back(in); } entry.push_back(Pair("vin", vin)); @@ -81,7 +81,7 @@ void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry) const CTxOut& txout = tx.vout[i]; Object out; out.push_back(Pair("value", ValueFromAmount(txout.nValue))); - out.push_back(Pair("n", (boost::int64_t)i)); + out.push_back(Pair("n", (int64_t)i)); Object o; ScriptPubKeyToJSON(txout.scriptPubKey, o, true); out.push_back(Pair("scriptPubKey", o)); @@ -99,8 +99,8 @@ void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry) if (chainActive.Contains(pindex)) { entry.push_back(Pair("confirmations", 1 + chainActive.Height() - pindex->nHeight)); - entry.push_back(Pair("time", (boost::int64_t)pindex->nTime)); - entry.push_back(Pair("blocktime", (boost::int64_t)pindex->nTime)); + entry.push_back(Pair("time", (int64_t)pindex->nTime)); + entry.push_back(Pair("blocktime", (int64_t)pindex->nTime)); } else entry.push_back(Pair("confirmations", 0)); @@ -522,7 +522,7 @@ Value signrawtransaction(const Array& params, bool fHelp) " \"txid\":\"id\", (string, required) The transaction id\n" " \"vout\":n, (numeric, required) The output number\n" " \"scriptPubKey\": \"hex\", (string, required) script key\n" - " \"redeemScript\": \"hex\" (string, required) redeem script\n" + " \"redeemScript\": \"hex\" (string, required for P2SH) redeem script\n" " }\n" " ,...\n" " ]\n" diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index f78cb420f43..55bd82ac433 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -38,6 +38,7 @@ static map > deadlineTimers; static ssl::context* rpc_ssl_context = NULL; static boost::thread_group* rpc_worker_group = NULL; static boost::asio::io_service::work *rpc_dummy_work = NULL; +static std::vector< boost::shared_ptr > rpc_acceptors; void RPCTypeCheck(const Array& params, const list& typesExpected, @@ -435,7 +436,7 @@ template static void RPCAcceptHandler(boost::shared_ptr< basic_socket_acceptor > acceptor, ssl::context& context, bool fUseSSL, - AcceptedConnection* conn, + boost::shared_ptr< AcceptedConnection > conn, const boost::system::error_code& error); /** @@ -447,7 +448,7 @@ static void RPCListen(boost::shared_ptr< basic_socket_acceptor* conn = new AcceptedConnectionImpl(acceptor->get_io_service(), context, fUseSSL); + boost::shared_ptr< AcceptedConnectionImpl > conn(new AcceptedConnectionImpl(acceptor->get_io_service(), context, fUseSSL)); acceptor->async_accept( conn->sslStream.lowest_layer(), @@ -457,7 +458,7 @@ static void RPCListen(boost::shared_ptr< basic_socket_acceptor static void RPCAcceptHandler(boost::shared_ptr< basic_socket_acceptor > acceptor, ssl::context& context, const bool fUseSSL, - AcceptedConnection* conn, + boost::shared_ptr< AcceptedConnection > conn, const boost::system::error_code& error) { // Immediately start accepting new connections, except when we're cancelled or our socket is closed. if (error != asio::error::operation_aborted && acceptor->is_open()) RPCListen(acceptor, context, fUseSSL); - AcceptedConnectionImpl* tcp_conn = dynamic_cast< AcceptedConnectionImpl* >(conn); + AcceptedConnectionImpl* tcp_conn = dynamic_cast< AcceptedConnectionImpl* >(conn.get()); - // TODO: Actually handle errors if (error) { - delete conn; + // TODO: Actually handle errors + LogPrintf("%s: Error: %s\n", __func__, error.message()); } - // Restrict callers by IP. It is important to // do this before starting client thread, to filter out // certain DoS and misbehaving clients. @@ -491,12 +491,11 @@ static void RPCAcceptHandler(boost::shared_ptr< basic_socket_acceptorstream() << HTTPReply(HTTP_FORBIDDEN, "", false) << std::flush; - delete conn; + conn->close(); } else { - ServiceConnection(conn); + ServiceConnection(conn.get()); conn->close(); - delete conn; } } @@ -540,7 +539,7 @@ void StartRPCThreads() if (fUseSSL) { - rpc_ssl_context->set_options(ssl::context::no_sslv2); + rpc_ssl_context->set_options(ssl::context::no_sslv2 | ssl::context::no_sslv3); filesystem::path pathCertFile(GetArg("-rpcsslcertificatechainfile", "server.cert")); if (!pathCertFile.is_complete()) pathCertFile = filesystem::path(GetDataDir()) / pathCertFile; @@ -561,12 +560,12 @@ void StartRPCThreads() asio::ip::address bindAddress = loopback ? asio::ip::address_v6::loopback() : asio::ip::address_v6::any(); ip::tcp::endpoint endpoint(bindAddress, GetArg("-rpcport", Params().RPCPort())); boost::system::error_code v6_only_error; - boost::shared_ptr acceptor(new ip::tcp::acceptor(*rpc_io_service)); bool fListening = false; std::string strerr; try { + boost::shared_ptr acceptor(new ip::tcp::acceptor(*rpc_io_service)); acceptor->open(endpoint.protocol()); acceptor->set_option(boost::asio::ip::tcp::acceptor::reuse_address(true)); @@ -578,13 +577,13 @@ void StartRPCThreads() RPCListen(acceptor, *rpc_ssl_context, fUseSSL); + rpc_acceptors.push_back(acceptor); fListening = true; } catch(boost::system::system_error &e) { strerr = strprintf(_("An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s"), endpoint.port(), e.what()); } - try { // If dual IPv6/IPv4 failed (or we're opening loopback interfaces only), open IPv4 separately if (!fListening || loopback || v6_only_error) @@ -592,7 +591,7 @@ void StartRPCThreads() bindAddress = loopback ? asio::ip::address_v4::loopback() : asio::ip::address_v4::any(); endpoint.address(bindAddress); - acceptor.reset(new ip::tcp::acceptor(*rpc_io_service)); + boost::shared_ptr acceptor(new ip::tcp::acceptor(*rpc_io_service)); acceptor->open(endpoint.protocol()); acceptor->set_option(boost::asio::ip::tcp::acceptor::reuse_address(true)); acceptor->bind(endpoint); @@ -600,6 +599,7 @@ void StartRPCThreads() RPCListen(acceptor, *rpc_ssl_context, fUseSSL); + rpc_acceptors.push_back(acceptor); fListening = true; } } @@ -636,7 +636,25 @@ void StopRPCThreads() { if (rpc_io_service == NULL) return; + // First, cancel all timers and acceptors + // This is not done automatically by ->stop(), and in some cases the destructor of + // asio::io_service can hang if this is skipped. + boost::system::error_code ec; + BOOST_FOREACH(const boost::shared_ptr &acceptor, rpc_acceptors) + { + acceptor->cancel(ec); + if (ec) + LogPrintf("%s: Warning: %s when cancelling acceptor", __func__, ec.message()); + } + rpc_acceptors.clear(); + BOOST_FOREACH(const PAIRTYPE(std::string, boost::shared_ptr) &timer, deadlineTimers) + { + timer.second->cancel(ec); + if (ec) + LogPrintf("%s: Warning: %s when cancelling timer", __func__, ec.message()); + } deadlineTimers.clear(); + rpc_io_service->stop(); if (rpc_worker_group != NULL) rpc_worker_group->join_all(); @@ -694,7 +712,7 @@ void JSONRequest::parse(const Value& valRequest) throw JSONRPCError(RPC_INVALID_REQUEST, "Method must be a string"); strMethod = valMethod.get_str(); if (strMethod != "getwork" && strMethod != "getblocktemplate") - LogPrint("rpc", "ThreadRPCServer method=%s\n", strMethod); + LogPrint("rpc", "ThreadRPCServer method=%s\n", SanitizeString(strMethod)); // Parse params Value valParams = find_value(request, "params"); diff --git a/src/rpcwallet.cpp b/src/rpcwallet.cpp index a5a7df08674..e3b35dbb044 100644 --- a/src/rpcwallet.cpp +++ b/src/rpcwallet.cpp @@ -49,7 +49,7 @@ void WalletTxToJSON(const CWalletTx& wtx, Object& entry) { entry.push_back(Pair("blockhash", wtx.hashBlock.GetHex())); entry.push_back(Pair("blockindex", wtx.nIndex)); - entry.push_back(Pair("blocktime", (boost::int64_t)(mapBlockIndex[wtx.hashBlock]->nTime))); + entry.push_back(Pair("blocktime", (int64_t)(mapBlockIndex[wtx.hashBlock]->nTime))); } uint256 hash = wtx.GetHash(); entry.push_back(Pair("txid", hash.GetHex())); @@ -57,8 +57,8 @@ void WalletTxToJSON(const CWalletTx& wtx, Object& entry) BOOST_FOREACH(const uint256& conflict, wtx.GetConflicts()) conflicts.push_back(conflict.GetHex()); entry.push_back(Pair("walletconflicts", conflicts)); - entry.push_back(Pair("time", (boost::int64_t)wtx.GetTxTime())); - entry.push_back(Pair("timereceived", (boost::int64_t)wtx.nTimeReceived)); + entry.push_back(Pair("time", wtx.GetTxTime())); + entry.push_back(Pair("timereceived", (int64_t)wtx.nTimeReceived)); BOOST_FOREACH(const PAIRTYPE(string,string)& item, wtx.mapValue) entry.push_back(Pair(item.first, item.second)); } @@ -318,7 +318,7 @@ Value sendtoaddress(const Array& params, bool fHelp) " to which you're sending the transaction. This is not part of the \n" " transaction, just kept in your wallet.\n" "\nResult:\n" - "\"transactionid\" (string) The transaction id. (view at https://blockchain.info/tx/[transactionid])\n" + "\"transactionid\" (string) The transaction id.\n" "\nExamples:\n" + HelpExampleCli("sendtoaddress", "\"1M72Sfpbz1BPpXFHz9m3CdqATR44Jvaydd\" 0.1") + HelpExampleCli("sendtoaddress", "\"1M72Sfpbz1BPpXFHz9m3CdqATR44Jvaydd\" 0.1 \"donation\" \"seans outpost\"") @@ -747,7 +747,7 @@ Value sendfrom(const Array& params, bool fHelp) " to which you're sending the transaction. This is not part of the transaction, \n" " it is just kept in your wallet.\n" "\nResult:\n" - "\"transactionid\" (string) The transaction id. (view at https://blockchain.info/tx/[transactionid])\n" + "\"transactionid\" (string) The transaction id.\n" "\nExamples:\n" "\nSend 0.01 btc from the default account to the address, must have at least 1 confirmation\n" + HelpExampleCli("sendfrom", "\"\" \"1M72Sfpbz1BPpXFHz9m3CdqATR44Jvaydd\" 0.01") + @@ -807,7 +807,7 @@ Value sendmany(const Array& params, bool fHelp) "4. \"comment\" (string, optional) A comment\n" "\nResult:\n" "\"transactionid\" (string) The transaction id for the send. Only 1 transaction is created regardless of \n" - " the number of addresses. See https://blockchain.info/tx/[transactionid]\n" + " the number of addresses.\n" "\nExamples:\n" "\nSend two amounts to two different addresses:\n" + HelpExampleCli("sendmany", "\"tabby\" \"{\\\"1D1ZrZNe3JUo7ZycKEYQQiQAWd9y54F4XZ\\\":0.01,\\\"1353tsE8YMTA4EuV7dgUXGjNFf9KpVvKHz\\\":0.02}\"") + @@ -871,7 +871,7 @@ Value sendmany(const Array& params, bool fHelp) } // Defined in rpcmisc.cpp -extern CScript _createmultisig(const Array& params); +extern CScript _createmultisig_redeemScript(const Array& params); Value addmultisigaddress(const Array& params, bool fHelp) { @@ -908,7 +908,7 @@ Value addmultisigaddress(const Array& params, bool fHelp) strAccount = AccountFromValue(params[2]); // Construct using pay-to-script-hash: - CScript inner = _createmultisig(params); + CScript inner = _createmultisig_redeemScript(params); CScriptID innerID = inner.GetID(); pwalletMain->AddCScript(inner); @@ -1167,7 +1167,7 @@ void AcentryToJSON(const CAccountingEntry& acentry, const string& strAccount, Ar Object entry; entry.push_back(Pair("account", acentry.strAccount)); entry.push_back(Pair("category", "move")); - entry.push_back(Pair("time", (boost::int64_t)acentry.nTime)); + entry.push_back(Pair("time", acentry.nTime)); entry.push_back(Pair("amount", ValueFromAmount(acentry.nCreditDebit))); entry.push_back(Pair("otheraccount", acentry.strOtherAccount)); entry.push_back(Pair("comment", acentry.strComment)); @@ -1209,8 +1209,7 @@ Value listtransactions(const Array& params, bool fHelp) " category of transactions.\n" " \"blockindex\": n, (numeric) The block index containing the transaction. Available for 'send' and 'receive'\n" " category of transactions.\n" - " \"txid\": \"transactionid\", (string) The transaction id (see https://blockchain.info/tx/[transactionid]. Available \n" - " for 'send' and 'receive' category of transactions.\n" + " \"txid\": \"transactionid\", (string) The transaction id. Available for 'send' and 'receive' category of transactions.\n" " \"time\": xxx, (numeric) The transaction time in seconds since epoch (midnight Jan 1 1970 GMT).\n" " \"timereceived\": xxx, (numeric) The time received in seconds since epoch (midnight Jan 1 1970 GMT). Available \n" " for 'send' and 'receive' category of transactions.\n" @@ -1375,7 +1374,7 @@ Value listsinceblock(const Array& params, bool fHelp) " \"blockhash\": \"hashvalue\", (string) The block hash containing the transaction. Available for 'send' and 'receive' category of transactions.\n" " \"blockindex\": n, (numeric) The block index containing the transaction. Available for 'send' and 'receive' category of transactions.\n" " \"blocktime\": xxx, (numeric) The block time in seconds since epoch (1 Jan 1970 GMT).\n" - " \"txid\": \"transactionid\", (string) The transaction id (see https://blockchain.info/tx/[transactionid]. Available for 'send' and 'receive' category of transactions.\n" + " \"txid\": \"transactionid\", (string) The transaction id. Available for 'send' and 'receive' category of transactions.\n" " \"time\": xxx, (numeric) The transaction time in seconds since epoch (Jan 1 1970 GMT).\n" " \"timereceived\": xxx, (numeric) The time received in seconds since epoch (Jan 1 1970 GMT). Available for 'send' and 'receive' category of transactions.\n" " \"comment\": \"...\", (string) If a comment is associated with the transaction.\n" @@ -1447,7 +1446,7 @@ Value gettransaction(const Array& params, bool fHelp) " \"blockhash\" : \"hash\", (string) The block hash\n" " \"blockindex\" : xx, (numeric) The block index\n" " \"blocktime\" : ttt, (numeric) The time in seconds since epoch (1 Jan 1970 GMT)\n" - " \"txid\" : \"transactionid\", (string) The transaction id, see also https://blockchain.info/tx/[transactionid]\n" + " \"txid\" : \"transactionid\", (string) The transaction id.\n" " \"time\" : ttt, (numeric) The transaction time in seconds since epoch (1 Jan 1970 GMT)\n" " \"timereceived\" : ttt, (numeric) The time received in seconds since epoch (1 Jan 1970 GMT)\n" " \"details\" : [\n" @@ -1747,7 +1746,7 @@ Value lockunspent(const Array& params, bool fHelp) throw runtime_error( "lockunspent unlock [{\"txid\":\"txid\",\"vout\":n},...]\n" "\nUpdates list of temporarily unspendable outputs.\n" - "Temporarily lock (lock=true) or unlock (lock=false) specified transaction outputs.\n" + "Temporarily lock (unlock=false) or unlock (unlock=true) specified transaction outputs.\n" "A locked transaction output will not be chosen by automatic coin selection, when spending bitcoins.\n" "Locks are stored in memory only. Nodes start with zero locked outputs, and the locked output list\n" "is always cleared (by virtue of process exit) when a node stops or fails.\n" @@ -1912,9 +1911,9 @@ Value getwalletinfo(const Array& params, bool fHelp) obj.push_back(Pair("walletversion", pwalletMain->GetVersion())); obj.push_back(Pair("balance", ValueFromAmount(pwalletMain->GetBalance()))); obj.push_back(Pair("txcount", (int)pwalletMain->mapWallet.size())); - obj.push_back(Pair("keypoololdest", (boost::int64_t)pwalletMain->GetOldestKeyPoolTime())); + obj.push_back(Pair("keypoololdest", pwalletMain->GetOldestKeyPoolTime())); obj.push_back(Pair("keypoolsize", (int)pwalletMain->GetKeyPoolSize())); if (pwalletMain->IsCrypted()) - obj.push_back(Pair("unlocked_until", (boost::int64_t)nWalletUnlockTime)); + obj.push_back(Pair("unlocked_until", nWalletUnlockTime)); return obj; } diff --git a/src/script.cpp b/src/script.cpp index 810ba16d28f..139c8e6684e 100644 --- a/src/script.cpp +++ b/src/script.cpp @@ -5,7 +5,6 @@ #include "script.h" -#include "bignum.h" #include "core.h" #include "hash.h" #include "key.h" @@ -25,22 +24,13 @@ typedef vector valtype; static const valtype vchFalse(0); static const valtype vchZero(0); static const valtype vchTrue(1, 1); -static const CBigNum bnZero(0); -static const CBigNum bnOne(1); -static const CBigNum bnFalse(0); -static const CBigNum bnTrue(1); -static const size_t nMaxNumSize = 4; +static const CScriptNum bnZero(0); +static const CScriptNum bnOne(1); +static const CScriptNum bnFalse(0); +static const CScriptNum bnTrue(1); bool CheckSig(vector vchSig, const vector &vchPubKey, const CScript &scriptCode, const CTransaction& txTo, unsigned int nIn, int nHashType, int flags); -CBigNum CastToBigNum(const valtype& vch) -{ - if (vch.size() > nMaxNumSize) - throw runtime_error("CastToBigNum() : overflow"); - // Get rid of extra leading zeros - return CBigNum(CBigNum(vch).getvch()); -} - bool CastToBool(const valtype& vch) { for (unsigned int i = 0; i < vch.size(); i++) @@ -304,9 +294,88 @@ bool IsCanonicalSignature(const valtype &vchSig, unsigned int flags) { return true; } +// BIP 66 defined signature encoding check. This largely overlaps with +// IsCanonicalSignature above, but lacks hashtype constraints, and uses the +// exact implementation code from BIP 66. +bool static IsValidSignatureEncoding(const std::vector &sig) { + // Format: 0x30 [total-length] 0x02 [R-length] [R] 0x02 [S-length] [S] [sighash] + // * total-length: 1-byte length descriptor of everything that follows, + // excluding the sighash byte. + // * R-length: 1-byte length descriptor of the R value that follows. + // * R: arbitrary-length big-endian encoded R value. It must use the shortest + // possible encoding for a positive integers (which means no null bytes at + // the start, except a single one when the next byte has its highest bit set). + // * S-length: 1-byte length descriptor of the S value that follows. + // * S: arbitrary-length big-endian encoded S value. The same rules apply. + // * sighash: 1-byte value indicating what data is hashed (not part of the DER + // signature) + + // Minimum and maximum size constraints. + if (sig.size() < 9) return false; + if (sig.size() > 73) return false; + + // A signature is of type 0x30 (compound). + if (sig[0] != 0x30) return false; + + // Make sure the length covers the entire signature. + if (sig[1] != sig.size() - 3) return false; + + // Extract the length of the R element. + unsigned int lenR = sig[3]; + + // Make sure the length of the S element is still inside the signature. + if (5 + lenR >= sig.size()) return false; + + // Extract the length of the S element. + unsigned int lenS = sig[5 + lenR]; + + // Verify that the length of the signature matches the sum of the length + // of the elements. + if ((size_t)(lenR + lenS + 7) != sig.size()) return false; + + // Check whether the R element is an integer. + if (sig[2] != 0x02) return false; + + // Zero-length integers are not allowed for R. + if (lenR == 0) return false; + + // Negative numbers are not allowed for R. + if (sig[4] & 0x80) return false; + + // Null bytes at the start of R are not allowed, unless R would + // otherwise be interpreted as a negative number. + if (lenR > 1 && (sig[4] == 0x00) && !(sig[5] & 0x80)) return false; + + // Check whether the S element is an integer. + if (sig[lenR + 4] != 0x02) return false; + + // Zero-length integers are not allowed for S. + if (lenS == 0) return false; + + // Negative numbers are not allowed for S. + if (sig[lenR + 6] & 0x80) return false; + + // Null bytes at the start of S are not allowed, unless S would otherwise be + // interpreted as a negative number. + if (lenS > 1 && (sig[lenR + 6] == 0x00) && !(sig[lenR + 7] & 0x80)) return false; + + return true; +} + +bool static CheckSignatureEncoding(const valtype &vchSig, unsigned int flags) { + // Empty signature. Not strictly DER encoded, but allowed to provide a + // compact way to provide an invalid signature for use with CHECK(MULTI)SIG + if (vchSig.size() == 0) { + return true; + } + if ((flags & SCRIPT_VERIFY_DERSIG) != 0 && !IsValidSignatureEncoding(vchSig)) { + return false; + } + return true; +} + bool EvalScript(vector >& stack, const CScript& script, const CTransaction& txTo, unsigned int nIn, unsigned int flags, int nHashType) { - CAutoBN_CTX pctx; CScript::const_iterator pc = script.begin(); CScript::const_iterator pend = script.end(); CScript::const_iterator pbegincodehash = script.begin(); @@ -380,7 +449,7 @@ bool EvalScript(vector >& stack, const CScript& script, co case OP_16: { // ( -- value) - CBigNum bn((int)opcode - (int)(OP_1 - 1)); + CScriptNum bn((int)opcode - (int)(OP_1 - 1)); stack.push_back(bn.getvch()); } break; @@ -556,7 +625,7 @@ bool EvalScript(vector >& stack, const CScript& script, co case OP_DEPTH: { // -- stacksize - CBigNum bn(stack.size()); + CScriptNum bn(stack.size()); stack.push_back(bn.getvch()); } break; @@ -606,7 +675,7 @@ bool EvalScript(vector >& stack, const CScript& script, co // (xn ... x2 x1 x0 n - ... x2 x1 x0 xn) if (stack.size() < 2) return false; - int n = CastToBigNum(stacktop(-1)).getint(); + int n = CScriptNum(stacktop(-1)).getint(); popstack(stack); if (n < 0 || n >= (int)stack.size()) return false; @@ -654,7 +723,7 @@ bool EvalScript(vector >& stack, const CScript& script, co // (in -- in size) if (stack.size() < 1) return false; - CBigNum bn(stacktop(-1).size()); + CScriptNum bn(stacktop(-1).size()); stack.push_back(bn.getvch()); } break; @@ -705,7 +774,7 @@ bool EvalScript(vector >& stack, const CScript& script, co // (in -- out) if (stack.size() < 1) return false; - CBigNum bn = CastToBigNum(stacktop(-1)); + CScriptNum bn(stacktop(-1)); switch (opcode) { case OP_1ADD: bn += bnOne; break; @@ -738,9 +807,9 @@ bool EvalScript(vector >& stack, const CScript& script, co // (x1 x2 -- out) if (stack.size() < 2) return false; - CBigNum bn1 = CastToBigNum(stacktop(-2)); - CBigNum bn2 = CastToBigNum(stacktop(-1)); - CBigNum bn; + CScriptNum bn1(stacktop(-2)); + CScriptNum bn2(stacktop(-1)); + CScriptNum bn(0); switch (opcode) { case OP_ADD: @@ -783,9 +852,9 @@ bool EvalScript(vector >& stack, const CScript& script, co // (x min max -- out) if (stack.size() < 3) return false; - CBigNum bn1 = CastToBigNum(stacktop(-3)); - CBigNum bn2 = CastToBigNum(stacktop(-2)); - CBigNum bn3 = CastToBigNum(stacktop(-1)); + CScriptNum bn1(stacktop(-3)); + CScriptNum bn2(stacktop(-2)); + CScriptNum bn3(stacktop(-1)); bool fValue = (bn2 <= bn1 && bn1 < bn3); popstack(stack); popstack(stack); @@ -857,6 +926,10 @@ bool EvalScript(vector >& stack, const CScript& script, co // Drop the signature, since there's no way for a signature to sign itself scriptCode.FindAndDelete(CScript(vchSig)); + if (!CheckSignatureEncoding(vchSig, flags)) { + return false; + } + bool fSuccess = IsCanonicalSignature(vchSig, flags) && IsCanonicalPubKey(vchPubKey, flags) && CheckSig(vchSig, vchPubKey, scriptCode, txTo, nIn, nHashType, flags); @@ -882,7 +955,7 @@ bool EvalScript(vector >& stack, const CScript& script, co if ((int)stack.size() < i) return false; - int nKeysCount = CastToBigNum(stacktop(-i)).getint(); + int nKeysCount = CScriptNum(stacktop(-i)).getint(); if (nKeysCount < 0 || nKeysCount > 20) return false; nOpCount += nKeysCount; @@ -893,7 +966,7 @@ bool EvalScript(vector >& stack, const CScript& script, co if ((int)stack.size() < i) return false; - int nSigsCount = CastToBigNum(stacktop(-i)).getint(); + int nSigsCount = CScriptNum(stacktop(-i)).getint(); if (nSigsCount < 0 || nSigsCount > nKeysCount) return false; int isig = ++i; @@ -917,6 +990,10 @@ bool EvalScript(vector >& stack, const CScript& script, co valtype& vchSig = stacktop(-isig); valtype& vchPubKey = stacktop(-ikey); + if (!CheckSignatureEncoding(vchSig, flags)) { + return false; + } + // Check signature bool fOk = IsCanonicalSignature(vchSig, flags) && IsCanonicalPubKey(vchPubKey, flags) && CheckSig(vchSig, vchPubKey, scriptCode, txTo, nIn, nHashType, flags); diff --git a/src/script.h b/src/script.h index 657ac0b388b..c6e31f603ce 100644 --- a/src/script.h +++ b/src/script.h @@ -6,7 +6,6 @@ #ifndef H_BITCOIN_SCRIPT #define H_BITCOIN_SCRIPT -#include "bignum.h" #include "key.h" #include "util.h" @@ -25,6 +24,155 @@ class CTransaction; static const unsigned int MAX_SCRIPT_ELEMENT_SIZE = 520; // bytes static const unsigned int MAX_OP_RETURN_RELAY = 40; // bytes +class scriptnum_error : public std::runtime_error +{ +public: + explicit scriptnum_error(const std::string& str) : std::runtime_error(str) {} +}; + +class CScriptNum +{ +// Numeric opcodes (OP_1ADD, etc) are restricted to operating on 4-byte integers. +// The semantics are subtle, though: operands must be in the range [-2^31 +1...2^31 -1], +// but results may overflow (and are valid as long as they are not used in a subsequent +// numeric operation). CScriptNum enforces those semantics by storing results as +// an int64 and allowing out-of-range values to be returned as a vector of bytes but +// throwing an exception if arithmetic is done or the result is interpreted as an integer. +public: + + explicit CScriptNum(const int64_t& n) + { + m_value = n; + } + + explicit CScriptNum(const std::vector& vch) + { + if (vch.size() > nMaxNumSize) + throw scriptnum_error("CScriptNum(const std::vector&) : overflow"); + m_value = set_vch(vch); + } + + inline bool operator==(const int64_t& rhs) const { return m_value == rhs; } + inline bool operator!=(const int64_t& rhs) const { return m_value != rhs; } + inline bool operator<=(const int64_t& rhs) const { return m_value <= rhs; } + inline bool operator< (const int64_t& rhs) const { return m_value < rhs; } + inline bool operator>=(const int64_t& rhs) const { return m_value >= rhs; } + inline bool operator> (const int64_t& rhs) const { return m_value > rhs; } + + inline bool operator==(const CScriptNum& rhs) const { return operator==(rhs.m_value); } + inline bool operator!=(const CScriptNum& rhs) const { return operator!=(rhs.m_value); } + inline bool operator<=(const CScriptNum& rhs) const { return operator<=(rhs.m_value); } + inline bool operator< (const CScriptNum& rhs) const { return operator< (rhs.m_value); } + inline bool operator>=(const CScriptNum& rhs) const { return operator>=(rhs.m_value); } + inline bool operator> (const CScriptNum& rhs) const { return operator> (rhs.m_value); } + + inline CScriptNum operator+( const int64_t& rhs) const { return CScriptNum(m_value + rhs);} + inline CScriptNum operator-( const int64_t& rhs) const { return CScriptNum(m_value - rhs);} + inline CScriptNum operator+( const CScriptNum& rhs) const { return operator+(rhs.m_value); } + inline CScriptNum operator-( const CScriptNum& rhs) const { return operator-(rhs.m_value); } + + inline CScriptNum& operator+=( const CScriptNum& rhs) { return operator+=(rhs.m_value); } + inline CScriptNum& operator-=( const CScriptNum& rhs) { return operator-=(rhs.m_value); } + + inline CScriptNum operator-() const + { + assert(m_value != std::numeric_limits::min()); + return CScriptNum(-m_value); + } + + inline CScriptNum& operator=( const int64_t& rhs) + { + m_value = rhs; + return *this; + } + + inline CScriptNum& operator+=( const int64_t& rhs) + { + assert(rhs == 0 || (rhs > 0 && m_value <= std::numeric_limits::max() - rhs) || + (rhs < 0 && m_value >= std::numeric_limits::min() - rhs)); + m_value += rhs; + return *this; + } + + inline CScriptNum& operator-=( const int64_t& rhs) + { + assert(rhs == 0 || (rhs > 0 && m_value >= std::numeric_limits::min() + rhs) || + (rhs < 0 && m_value <= std::numeric_limits::max() + rhs)); + m_value -= rhs; + return *this; + } + + int getint() const + { + if (m_value > std::numeric_limits::max()) + return std::numeric_limits::max(); + else if (m_value < std::numeric_limits::min()) + return std::numeric_limits::min(); + return m_value; + } + + std::vector getvch() const + { + return serialize(m_value); + } + + static std::vector serialize(const int64_t& value) + { + if(value == 0) + return std::vector(); + + std::vector result; + const bool neg = value < 0; + uint64_t absvalue = neg ? -value : value; + + while(absvalue) + { + result.push_back(absvalue & 0xff); + absvalue >>= 8; + } + + +// - If the most significant byte is >= 0x80 and the value is positive, push a +// new zero-byte to make the significant byte < 0x80 again. + +// - If the most significant byte is >= 0x80 and the value is negative, push a +// new 0x80 byte that will be popped off when converting to an integral. + +// - If the most significant byte is < 0x80 and the value is negative, add +// 0x80 to it, since it will be subtracted and interpreted as a negative when +// converting to an integral. + + if (result.back() & 0x80) + result.push_back(neg ? 0x80 : 0); + else if (neg) + result.back() |= 0x80; + + return result; + } + + static const size_t nMaxNumSize = 4; + +private: + static int64_t set_vch(const std::vector& vch) + { + if (vch.empty()) + return 0; + + int64_t result = 0; + for (size_t i = 0; i != vch.size(); ++i) + result |= static_cast(vch[i]) << 8*i; + + // If the input vector's most significant byte is 0x80, remove it from + // the result's msb and return a negative. + if (vch.back() & 0x80) + return -(result & ~(0x80 << (8 * (vch.size() - 1)))); + + return result; + } + + int64_t m_value; +}; + /** Signature hash types/flags */ enum { @@ -42,6 +190,7 @@ enum SCRIPT_VERIFY_STRICTENC = (1U << 1), // enforce strict conformance to DER and SEC2 for signatures and pubkeys SCRIPT_VERIFY_EVEN_S = (1U << 2), // enforce even S values in signatures (depends on STRICTENC) SCRIPT_VERIFY_NOCACHE = (1U << 3), // do not store results in signature cache (but do query it) + SCRIPT_VERIFY_DERSIG = (1U << 4), // enforce signature encodings as defined by BIP 66 (which is a softfork, while STRICTENC is not) }; enum txnouttype @@ -225,7 +374,7 @@ const char* GetOpName(opcodetype opcode); inline std::string ValueString(const std::vector& vch) { if (vch.size() <= 4) - return strprintf("%d", CBigNum(vch).getint()); + return strprintf("%d", CScriptNum(vch).getint()); else return HexStr(vch); } @@ -261,26 +410,10 @@ class CScript : public std::vector } else { - CBigNum bn(n); - *this << bn.getvch(); + *this << CScriptNum::serialize(n); } return *this; } - - CScript& push_uint64(uint64_t n) - { - if (n >= 1 && n <= 16) - { - push_back(n + (OP_1 - 1)); - } - else - { - CBigNum bn(n); - *this << bn.getvch(); - } - return *this; - } - public: CScript() { } CScript(const CScript& b) : std::vector(b.begin(), b.end()) { } @@ -303,35 +436,15 @@ class CScript : public std::vector } - //explicit CScript(char b) is not portable. Use 'signed char' or 'unsigned char'. - explicit CScript(signed char b) { operator<<(b); } - explicit CScript(short b) { operator<<(b); } - explicit CScript(int b) { operator<<(b); } - explicit CScript(long b) { operator<<(b); } - explicit CScript(long long b) { operator<<(b); } - explicit CScript(unsigned char b) { operator<<(b); } - explicit CScript(unsigned int b) { operator<<(b); } - explicit CScript(unsigned short b) { operator<<(b); } - explicit CScript(unsigned long b) { operator<<(b); } - explicit CScript(unsigned long long b) { operator<<(b); } + CScript(int64_t b) { operator<<(b); } explicit CScript(opcodetype b) { operator<<(b); } explicit CScript(const uint256& b) { operator<<(b); } - explicit CScript(const CBigNum& b) { operator<<(b); } + explicit CScript(const CScriptNum& b) { operator<<(b); } explicit CScript(const std::vector& b) { operator<<(b); } - //CScript& operator<<(char b) is not portable. Use 'signed char' or 'unsigned char'. - CScript& operator<<(signed char b) { return push_int64(b); } - CScript& operator<<(short b) { return push_int64(b); } - CScript& operator<<(int b) { return push_int64(b); } - CScript& operator<<(long b) { return push_int64(b); } - CScript& operator<<(long long b) { return push_int64(b); } - CScript& operator<<(unsigned char b) { return push_uint64(b); } - CScript& operator<<(unsigned int b) { return push_uint64(b); } - CScript& operator<<(unsigned short b) { return push_uint64(b); } - CScript& operator<<(unsigned long b) { return push_uint64(b); } - CScript& operator<<(unsigned long long b) { return push_uint64(b); } + CScript& operator<<(int64_t b) { return push_int64(b); } CScript& operator<<(opcodetype opcode) { @@ -363,7 +476,7 @@ class CScript : public std::vector return *this; } - CScript& operator<<(const CBigNum& b) + CScript& operator<<(const CScriptNum& b) { *this << b.getvch(); return *this; diff --git a/src/serialize.h b/src/serialize.h index 1341746592b..a157048d560 100644 --- a/src/serialize.h +++ b/src/serialize.h @@ -306,8 +306,9 @@ I ReadVarInt(Stream& is) } } -#define FLATDATA(obj) REF(CFlatData((char*)&(obj), (char*)&(obj) + sizeof(obj))) -#define VARINT(obj) REF(WrapVarInt(REF(obj))) +#define FLATDATA(obj) REF(CFlatData((char*)&(obj), (char*)&(obj) + sizeof(obj))) +#define VARINT(obj) REF(WrapVarInt(REF(obj))) +#define LIMITED_STRING(obj,n) REF(LimitedString< n >(REF(obj))) /** Wrapper for serializing arrays and POD. */ @@ -364,6 +365,40 @@ class CVarInt } }; +template +class LimitedString +{ +protected: + std::string& string; +public: + LimitedString(std::string& string) : string(string) {} + + template + void Unserialize(Stream& s, int, int=0) + { + size_t size = ReadCompactSize(s); + if (size > Limit) { + throw std::ios_base::failure("String length limit exceeded"); + } + string.resize(size); + if (size != 0) + s.read((char*)&string[0], size); + } + + template + void Serialize(Stream& s, int, int=0) const + { + WriteCompactSize(s, string.size()); + if (!string.empty()) + s.write((char*)&string[0], string.size()); + } + + unsigned int GetSerializeSize(int, int=0) const + { + return GetSizeOfCompactSize(string.size()) + string.size(); + } +}; + template CVarInt WrapVarInt(I& n) { return CVarInt(n); } diff --git a/src/test/DoS_tests.cpp b/src/test/DoS_tests.cpp index d86cc7a290e..7d7cdf0e3f6 100644 --- a/src/test/DoS_tests.cpp +++ b/src/test/DoS_tests.cpp @@ -23,7 +23,8 @@ #include // Tests this internal-to-main.cpp method: -extern bool AddOrphanTx(const CTransaction& tx); +extern bool AddOrphanTx(const CTransaction& tx, NodeId peer); +extern void EraseOrphansFor(NodeId peer); extern unsigned int LimitOrphanTxSize(unsigned int nMaxOrphans); extern std::map mapOrphanTransactions; extern std::map > mapOrphanTransactionsByPrev; @@ -177,7 +178,7 @@ BOOST_AUTO_TEST_CASE(DoS_mapOrphans) tx.vout[0].nValue = 1*CENT; tx.vout[0].scriptPubKey.SetDestination(key.GetPubKey().GetID()); - AddOrphanTx(tx); + AddOrphanTx(tx, i); } // ... and 50 that depend on other orphans: @@ -194,7 +195,7 @@ BOOST_AUTO_TEST_CASE(DoS_mapOrphans) tx.vout[0].scriptPubKey.SetDestination(key.GetPubKey().GetID()); SignSignature(keystore, txPrev, tx, 0); - AddOrphanTx(tx); + AddOrphanTx(tx, i); } // This really-big orphan should be ignored: @@ -218,7 +219,15 @@ BOOST_AUTO_TEST_CASE(DoS_mapOrphans) for (unsigned int j = 1; j < tx.vin.size(); j++) tx.vin[j].scriptSig = tx.vin[0].scriptSig; - BOOST_CHECK(!AddOrphanTx(tx)); + BOOST_CHECK(!AddOrphanTx(tx, i)); + } + + // Test EraseOrphansFor: + for (NodeId i = 0; i < 3; i++) + { + size_t sizeBefore = mapOrphanTransactions.size(); + EraseOrphansFor(i); + BOOST_CHECK(mapOrphanTransactions.size() < sizeBefore); } // Test LimitOrphanTxSize() function: @@ -255,7 +264,7 @@ BOOST_AUTO_TEST_CASE(DoS_checkSig) tx.vout[0].nValue = 1*CENT; tx.vout[0].scriptPubKey.SetDestination(key.GetPubKey().GetID()); - AddOrphanTx(tx); + AddOrphanTx(tx, 0); } // Create a transaction that depends on orphans: diff --git a/src/test/Makefile.am b/src/test/Makefile.am index b375ba1306d..e12f4904f14 100644 --- a/src/test/Makefile.am +++ b/src/test/Makefile.am @@ -61,6 +61,7 @@ test_bitcoin_SOURCES = \ transaction_tests.cpp \ uint256_tests.cpp \ util_tests.cpp \ + scriptnum_tests.cpp \ sighash_tests.cpp \ $(JSON_TEST_FILES) $(RAW_TEST_FILES) diff --git a/src/test/base58_tests.cpp b/src/test/base58_tests.cpp index 5689e699959..b81a19cfd8b 100644 --- a/src/test/base58_tests.cpp +++ b/src/test/base58_tests.cpp @@ -233,7 +233,7 @@ BOOST_AUTO_TEST_CASE(base58_keys_valid_gen) continue; } CBitcoinAddress addrOut; - BOOST_CHECK_MESSAGE(boost::apply_visitor(CBitcoinAddressVisitor(&addrOut), dest), "encode dest: " + strTest); + BOOST_CHECK_MESSAGE(addrOut.Set(dest), "encode dest: " + strTest); BOOST_CHECK_MESSAGE(addrOut.ToString() == exp_base58string, "mismatch: " + strTest); } } @@ -241,7 +241,7 @@ BOOST_AUTO_TEST_CASE(base58_keys_valid_gen) // Visiting a CNoDestination must fail CBitcoinAddress dummyAddr; CTxDestination nodest = CNoDestination(); - BOOST_CHECK(!boost::apply_visitor(CBitcoinAddressVisitor(&dummyAddr), nodest)); + BOOST_CHECK(!dummyAddr.Set(nodest)); SelectParams(CChainParams::MAIN); } diff --git a/src/test/data/script_invalid.json b/src/test/data/script_invalid.json index 8cb365a46fc..923e9b9df4f 100644 --- a/src/test/data/script_invalid.json +++ b/src/test/data/script_invalid.json @@ -257,7 +257,10 @@ ["1","0xba", "0xba == OP_NOP10 + 1"], ["2147483648", "1ADD 1", "We cannot do math on 5-byte integers"], +["2147483648", "NEGATE 1", "We cannot do math on 5-byte integers"], ["-2147483648", "1ADD 1", "Because we use a sign bit, -2147483648 is also 5 bytes"], +["2147483647", "1ADD 1SUB 1", "We cannot do math on 5-byte integers, even if the result is 4-bytes"], +["2147483648", "1SUB 1", "We cannot do math on 5-byte integers, even if the result is 4-bytes"], ["1", "1 ENDIF", "ENDIF without IF"], ["1", "IF 1", "IF without ENDIF"], @@ -327,5 +330,45 @@ ["0 0x01 0x50", "HASH160 0x14 0xece424a6bb6ddf4db592c0faed60685047a361b1 EQUAL", "OP_RESERVED in P2SH should fail"], ["0 0x01 VER", "HASH160 0x14 0x0f4d7845db968f2a81b530b6f3c1d6246d4c7e01 EQUAL", "OP_VER in P2SH should fail"], +["0x4a 0x0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000", "0 CHECKSIG NOT", "DERSIG", "Overly long signature is incorrectly encoded for DERSIG"], +["0x25 0x30220220000000000000000000000000000000000000000000000000000000000000000000", "0 CHECKSIG NOT", "DERSIG", "Missing S is incorrectly encoded for DERSIG"], +["0x27 0x3024021077777777777777777777777777777777020a7777777777777777777777777777777701", "0 CHECKSIG NOT", "DERSIG", "S with invalid S length is incorrectly encoded for DERSIG"], +["0x27 0x302403107777777777777777777777777777777702107777777777777777777777777777777701", "0 CHECKSIG NOT", "DERSIG", "Non-integer R is incorrectly encoded for DERSIG"], +["0x27 0x302402107777777777777777777777777777777703107777777777777777777777777777777701", "0 CHECKSIG NOT", "DERSIG", "Non-integer S is incorrectly encoded for DERSIG"], +["0x17 0x3014020002107777777777777777777777777777777701", "0 CHECKSIG NOT", "DERSIG", "Zero-length R is incorrectly encoded for DERSIG"], +["0x17 0x3014021077777777777777777777777777777777020001", "0 CHECKSIG NOT", "DERSIG", "Zero-length S is incorrectly encoded for DERSIG"], +["0x27 0x302402107777777777777777777777777777777702108777777777777777777777777777777701", "0 CHECKSIG NOT", "DERSIG", "Negative S is incorrectly encoded for DERSIG"], + +[ + "0x47 0x30440220003040725f724b0e2142fc44ac71f6e13161f6410aeb6dee477952ede3b6a6ca022041ff4940ee3d88116ad281d7cc556e1f2c9427d82290bd7974a25addbcd5bede01", + "0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 CHECKSIG NOT", + "DERSIG", + "P2PK NOT with bad sig with too much R padding" +], +[ + "0x47 0x30440220003040725f724a0e2142fc44ac71f6e13161f6410aeb6dee477952ede3b6a6ca022041ff4940ee3d88116ad281d7cc556e1f2c9427d82290bd7974a25addbcd5bede01", + "0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 CHECKSIG NOT", + "DERSIG", + "P2PK NOT with too much R padding" +], +[ + "0x47 0x304402208e43c0b91f7c1e5bc58e41c8185f8a6086e111b0090187968a86f2822462d3c902200a58f4076b1133b18ff1dc83ee51676e44c60cc608d9534e0df5ace0424fc0be01", + "0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 CHECKSIG NOT", + "DERSIG", + "BIP66 example 2, with DERSIG" +], +[ + "1", + "0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 CHECKSIG NOT", + "DERSIG", + "BIP66 example 6, with DERSIG" +], +[ + "0 0 0x47 0x30440220afa76a8f60622f813b05711f051c6c3407e32d1b1b70b0576c1f01b54e4c05c702200d58e9df044fd1845cabfbeef6e624ba0401daf7d7e084736f9ff601c3783bf501", + "2 0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 2 CHECKMULTISIG NOT", + "DERSIG", + "BIP66 example 10, with DERSIG" +], + ["0x00", "'00' EQUAL", "Basic OP_0 execution"] ] diff --git a/src/test/data/script_valid.json b/src/test/data/script_valid.json index 3b4c191865c..82a69d02a46 100644 --- a/src/test/data/script_valid.json +++ b/src/test/data/script_valid.json @@ -97,6 +97,9 @@ ["8388608", "SIZE 4 EQUAL"], ["2147483647", "SIZE 4 EQUAL"], ["2147483648", "SIZE 5 EQUAL"], +["549755813887", "SIZE 5 EQUAL"], +["549755813888", "SIZE 6 EQUAL"], +["9223372036854775807", "SIZE 8 EQUAL"], ["-1", "SIZE 1 EQUAL"], ["-127", "SIZE 1 EQUAL"], ["-128", "SIZE 2 EQUAL"], @@ -106,6 +109,9 @@ ["-8388608", "SIZE 4 EQUAL"], ["-2147483647", "SIZE 4 EQUAL"], ["-2147483648", "SIZE 5 EQUAL"], +["-549755813887", "SIZE 5 EQUAL"], +["-549755813888", "SIZE 6 EQUAL"], +["-9223372036854775807", "SIZE 8 EQUAL"], ["'abcdefghijklmnopqrstuvwxyz'", "SIZE 26 EQUAL"], @@ -306,6 +312,9 @@ ["8388608", "0x04 0x00008000 EQUAL"], ["2147483647", "0x04 0xFFFFFF7F EQUAL"], ["2147483648", "0x05 0x0000008000 EQUAL"], +["549755813887", "0x05 0xFFFFFFFF7F EQUAL"], +["549755813888", "0x06 0xFFFFFFFF7F EQUAL"], +["9223372036854775807", "0x08 0xFFFFFFFFFFFFFF7F EQUAL"], ["-1", "0x01 0x81 EQUAL", "Numbers are little-endian with the MSB being a sign bit"], ["-127", "0x01 0xFF EQUAL"], ["-128", "0x02 0x8080 EQUAL"], @@ -315,6 +324,10 @@ ["-8388608", "0x04 0x00008080 EQUAL"], ["-2147483647", "0x04 0xFFFFFFFF EQUAL"], ["-2147483648", "0x05 0x0000008080 EQUAL"], +["-4294967295", "0x05 0xFFFFFFFF80 EQUAL"], +["-549755813887", "0x05 0xFFFFFFFFFF EQUAL"], +["-549755813888", "0x06 0x000000008080 EQUAL"], +["-9223372036854775807", "0x08 0xFFFFFFFFFFFFFFFF EQUAL"], ["2147483647", "1ADD 2147483648 EQUAL", "We can do math on 4-byte integers, and compare 5-byte ones"], ["2147483647", "1ADD 1"], @@ -413,5 +426,57 @@ "0x4d 0x4000 0x42424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242 EQUAL", "Basic PUSHDATA1 signedness check"], +["0x4a 0x0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000", "0 CHECKSIG NOT", "", "Overly long signature is correctly encoded"], +["0x25 0x30220220000000000000000000000000000000000000000000000000000000000000000000", "0 CHECKSIG NOT", "", "Missing S is correctly encoded"], +["0x27 0x3024021077777777777777777777777777777777020a7777777777777777777777777777777701", "0 CHECKSIG NOT", "", "S with invalid S length is correctly encoded"], +["0x27 0x302403107777777777777777777777777777777702107777777777777777777777777777777701", "0 CHECKSIG NOT", "", "Non-integer R is correctly encoded"], +["0x27 0x302402107777777777777777777777777777777703107777777777777777777777777777777701", "0 CHECKSIG NOT", "", "Non-integer S is correctly encoded"], +["0x17 0x3014020002107777777777777777777777777777777701", "0 CHECKSIG NOT", "", "Zero-length R is correctly encoded"], +["0x17 0x3014021077777777777777777777777777777777020001", "0 CHECKSIG NOT", "", "Zero-length S is correctly encoded"], +["0x27 0x302402107777777777777777777777777777777702108777777777777777777777777777777701", "0 CHECKSIG NOT", "", "Negative S is correctly encoded"], + +[ + "0x47 0x30440220003040725f724b0e2142fc44ac71f6e13161f6410aeb6dee477952ede3b6a6ca022041ff4940ee3d88116ad281d7cc556e1f2c9427d82290bd7974a25addbcd5bede01", + "0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 CHECKSIG NOT", + "", + "P2PK NOT with bad sig with too much R padding but no DERSIG" +], +[ + "0", + "0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 CHECKSIG NOT", + "", + "BIP66 example 4, without DERSIG" +], +[ + "0", + "0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 CHECKSIG NOT", + "DERSIG", + "BIP66 example 4, with DERSIG" +], +[ + "1", + "0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 CHECKSIG NOT", + "", + "BIP66 example 6, without DERSIG" +], +[ + "0 0 0x47 0x30440220afa76a8f60622f813b05711f051c6c3407e32d1b1b70b0576c1f01b54e4c05c702200d58e9df044fd1845cabfbeef6e624ba0401daf7d7e084736f9ff601c3783bf501", + "2 0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 2 CHECKMULTISIG NOT", + "", + "BIP66 example 10, without DERSIG" +], +[ + "0 0x47 0x30440220f00a77260d34ec2f0c59621dc710f58169d0ca06df1a88cd4b1f1b97bd46991b02201ee220c7e04f26aed03f94aa97fb09ca5627163bf4ba07e6979972ec737db22601 0", + "2 0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 2 CHECKMULTISIG NOT", + "", + "BIP66 example 12, without DERSIG" +], +[ + "0 0x47 0x30440220f00a77260d34ec2f0c59621dc710f58169d0ca06df1a88cd4b1f1b97bd46991b02201ee220c7e04f26aed03f94aa97fb09ca5627163bf4ba07e6979972ec737db22601 0", + "2 0x21 0x038282263212c609d9ea2a6e3e172de238d8c39cabd5ac1ca10646e23fd5f51508 0x21 0x03363d90d447b00c9c99ceac05b6262ee053441c7e55552ffe526bad8f83ff4640 2 CHECKMULTISIG NOT", + "DERSIG", + "BIP66 example 12, with DERSIG" +], + ["0x00", "SIZE 0 EQUAL", "Basic OP_0 execution"] ] diff --git a/src/test/script_tests.cpp b/src/test/script_tests.cpp index 7bc2bfb6ddf..a4d7a90f209 100644 --- a/src/test/script_tests.cpp +++ b/src/test/script_tests.cpp @@ -140,8 +140,13 @@ BOOST_AUTO_TEST_CASE(script_valid) string scriptPubKeyString = test[1].get_str(); CScript scriptPubKey = ParseScript(scriptPubKeyString); + int flagsNow = flags; + if (test.size() > 3 && ("," + test[2].get_str() + ",").find(",DERSIG,") != string::npos) { + flagsNow |= SCRIPT_VERIFY_DERSIG; + } + CTransaction tx; - BOOST_CHECK_MESSAGE(VerifyScript(scriptSig, scriptPubKey, tx, 0, flags, SIGHASH_NONE), strTest); + BOOST_CHECK_MESSAGE(VerifyScript(scriptSig, scriptPubKey, tx, 0, flagsNow, SIGHASH_NONE), strTest); } } @@ -164,8 +169,13 @@ BOOST_AUTO_TEST_CASE(script_invalid) string scriptPubKeyString = test[1].get_str(); CScript scriptPubKey = ParseScript(scriptPubKeyString); + int flagsNow = flags; + if (test.size() > 3 && ("," + test[2].get_str() + ",").find(",DERSIG,") != string::npos) { + flagsNow |= SCRIPT_VERIFY_DERSIG; + } + CTransaction tx; - BOOST_CHECK_MESSAGE(!VerifyScript(scriptSig, scriptPubKey, tx, 0, flags, SIGHASH_NONE), strTest); + BOOST_CHECK_MESSAGE(!VerifyScript(scriptSig, scriptPubKey, tx, 0, flagsNow, SIGHASH_NONE), strTest); } } diff --git a/src/test/scriptnum_tests.cpp b/src/test/scriptnum_tests.cpp new file mode 100644 index 00000000000..cd194cc4d98 --- /dev/null +++ b/src/test/scriptnum_tests.cpp @@ -0,0 +1,196 @@ +// Copyright (c) 2012-2014 The Bitcoin Core developers +// Distributed under the MIT/X11 software license, see the accompanying +// file COPYING or http://www.opensource.org/licenses/mit-license.php. + +#include "bignum.h" +#include "script.h" +#include +#include +#include +BOOST_AUTO_TEST_SUITE(scriptnum_tests) + +static const int64_t values[] = \ +{ 0, 1, CHAR_MIN, CHAR_MAX, UCHAR_MAX, SHRT_MIN, USHRT_MAX, INT_MIN, INT_MAX, UINT_MAX, LONG_MIN, LONG_MAX }; +static const int64_t offsets[] = { 1, 0x79, 0x80, 0x81, 0xFF, 0x7FFF, 0x8000, 0xFFFF, 0x10000}; + +static bool verify(const CBigNum& bignum, const CScriptNum& scriptnum) +{ + return bignum.getvch() == scriptnum.getvch() && bignum.getint() == scriptnum.getint(); +} + +static void CheckCreateVch(const int64_t& num) +{ + CBigNum bignum(num); + CScriptNum scriptnum(num); + BOOST_CHECK(verify(bignum, scriptnum)); + + CBigNum bignum2(bignum.getvch()); + CScriptNum scriptnum2(scriptnum.getvch()); + BOOST_CHECK(verify(bignum2, scriptnum2)); + + CBigNum bignum3(scriptnum2.getvch()); + CScriptNum scriptnum3(bignum2.getvch()); + BOOST_CHECK(verify(bignum3, scriptnum3)); +} + +static void CheckCreateInt(const int64_t& num) +{ + CBigNum bignum(num); + CScriptNum scriptnum(num); + BOOST_CHECK(verify(bignum, scriptnum)); + BOOST_CHECK(verify(bignum.getint(), CScriptNum(scriptnum.getint()))); + BOOST_CHECK(verify(scriptnum.getint(), CScriptNum(bignum.getint()))); + BOOST_CHECK(verify(CBigNum(scriptnum.getint()).getint(), CScriptNum(CScriptNum(bignum.getint()).getint()))); +} + + +static void CheckAdd(const int64_t& num1, const int64_t& num2) +{ + const CBigNum bignum1(num1); + const CBigNum bignum2(num2); + const CScriptNum scriptnum1(num1); + const CScriptNum scriptnum2(num2); + CBigNum bignum3(num1); + CBigNum bignum4(num1); + CScriptNum scriptnum3(num1); + CScriptNum scriptnum4(num1); + + // int64_t overflow is undefined. + bool invalid = (((num2 > 0) && (num1 > (std::numeric_limits::max() - num2))) || + ((num2 < 0) && (num1 < (std::numeric_limits::min() - num2)))); + if (!invalid) + { + BOOST_CHECK(verify(bignum1 + bignum2, scriptnum1 + scriptnum2)); + BOOST_CHECK(verify(bignum1 + bignum2, scriptnum1 + num2)); + BOOST_CHECK(verify(bignum1 + bignum2, scriptnum2 + num1)); + } +} + +static void CheckNegate(const int64_t& num) +{ + const CBigNum bignum(num); + const CScriptNum scriptnum(num); + + // -INT64_MIN is undefined + if (num != std::numeric_limits::min()) + BOOST_CHECK(verify(-bignum, -scriptnum)); +} + +static void CheckSubtract(const int64_t& num1, const int64_t& num2) +{ + const CBigNum bignum1(num1); + const CBigNum bignum2(num2); + const CScriptNum scriptnum1(num1); + const CScriptNum scriptnum2(num2); + bool invalid = false; + + // int64_t overflow is undefined. + invalid = ((num2 > 0 && num1 < std::numeric_limits::min() + num2) || + (num2 < 0 && num1 > std::numeric_limits::max() + num2)); + if (!invalid) + { + BOOST_CHECK(verify(bignum1 - bignum2, scriptnum1 - scriptnum2)); + BOOST_CHECK(verify(bignum1 - bignum2, scriptnum1 - num2)); + } + + invalid = ((num1 > 0 && num2 < std::numeric_limits::min() + num1) || + (num1 < 0 && num2 > std::numeric_limits::max() + num1)); + if (!invalid) + { + BOOST_CHECK(verify(bignum2 - bignum1, scriptnum2 - scriptnum1)); + BOOST_CHECK(verify(bignum2 - bignum1, scriptnum2 - num1)); + } +} + +static void CheckCompare(const int64_t& num1, const int64_t& num2) +{ + const CBigNum bignum1(num1); + const CBigNum bignum2(num2); + const CScriptNum scriptnum1(num1); + const CScriptNum scriptnum2(num2); + + BOOST_CHECK((bignum1 == bignum1) == (scriptnum1 == scriptnum1)); + BOOST_CHECK((bignum1 != bignum1) == (scriptnum1 != scriptnum1)); + BOOST_CHECK((bignum1 < bignum1) == (scriptnum1 < scriptnum1)); + BOOST_CHECK((bignum1 > bignum1) == (scriptnum1 > scriptnum1)); + BOOST_CHECK((bignum1 >= bignum1) == (scriptnum1 >= scriptnum1)); + BOOST_CHECK((bignum1 <= bignum1) == (scriptnum1 <= scriptnum1)); + + BOOST_CHECK((bignum1 == bignum1) == (scriptnum1 == num1)); + BOOST_CHECK((bignum1 != bignum1) == (scriptnum1 != num1)); + BOOST_CHECK((bignum1 < bignum1) == (scriptnum1 < num1)); + BOOST_CHECK((bignum1 > bignum1) == (scriptnum1 > num1)); + BOOST_CHECK((bignum1 >= bignum1) == (scriptnum1 >= num1)); + BOOST_CHECK((bignum1 <= bignum1) == (scriptnum1 <= num1)); + + BOOST_CHECK((bignum1 == bignum2) == (scriptnum1 == scriptnum2)); + BOOST_CHECK((bignum1 != bignum2) == (scriptnum1 != scriptnum2)); + BOOST_CHECK((bignum1 < bignum2) == (scriptnum1 < scriptnum2)); + BOOST_CHECK((bignum1 > bignum2) == (scriptnum1 > scriptnum2)); + BOOST_CHECK((bignum1 >= bignum2) == (scriptnum1 >= scriptnum2)); + BOOST_CHECK((bignum1 <= bignum2) == (scriptnum1 <= scriptnum2)); + + BOOST_CHECK((bignum1 == bignum2) == (scriptnum1 == num2)); + BOOST_CHECK((bignum1 != bignum2) == (scriptnum1 != num2)); + BOOST_CHECK((bignum1 < bignum2) == (scriptnum1 < num2)); + BOOST_CHECK((bignum1 > bignum2) == (scriptnum1 > num2)); + BOOST_CHECK((bignum1 >= bignum2) == (scriptnum1 >= num2)); + BOOST_CHECK((bignum1 <= bignum2) == (scriptnum1 <= num2)); +} + +static void RunCreate(const int64_t& num) +{ + CheckCreateInt(num); + CScriptNum scriptnum(num); + if (scriptnum.getvch().size() <= CScriptNum::nMaxNumSize) + CheckCreateVch(num); + else + { + BOOST_CHECK_THROW (CheckCreateVch(num), scriptnum_error); + } +} + +static void RunOperators(const int64_t& num1, const int64_t& num2) +{ + CheckAdd(num1, num2); + CheckSubtract(num1, num2); + CheckNegate(num1); + CheckCompare(num1, num2); +} + +BOOST_AUTO_TEST_CASE(creation) +{ + for(size_t i = 0; i < sizeof(values) / sizeof(values[0]); ++i) + { + for(size_t j = 0; j < sizeof(offsets) / sizeof(offsets[0]); ++j) + { + RunCreate(values[i]); + RunCreate(values[i] + offsets[j]); + RunCreate(values[i] - offsets[j]); + } + } +} + +BOOST_AUTO_TEST_CASE(operators) +{ + for(size_t i = 0; i < sizeof(values) / sizeof(values[0]); ++i) + { + for(size_t j = 0; j < sizeof(offsets) / sizeof(offsets[0]); ++j) + { + RunOperators(values[i], values[i]); + RunOperators(values[i], -values[i]); + RunOperators(values[i], values[j]); + RunOperators(values[i], -values[j]); + RunOperators(values[i] + values[j], values[j]); + RunOperators(values[i] + values[j], -values[j]); + RunOperators(values[i] - values[j], values[j]); + RunOperators(values[i] - values[j], -values[j]); + RunOperators(values[i] + values[j], values[i] + values[j]); + RunOperators(values[i] + values[j], values[i] - values[j]); + RunOperators(values[i] - values[j], values[i] + values[j]); + RunOperators(values[i] - values[j], values[i] - values[j]); + } + } +} + +BOOST_AUTO_TEST_SUITE_END() diff --git a/src/test/util_tests.cpp b/src/test/util_tests.cpp index b8f107f644f..5155e0c3e52 100644 --- a/src/test/util_tests.cpp +++ b/src/test/util_tests.cpp @@ -108,13 +108,11 @@ BOOST_AUTO_TEST_CASE(util_HexStr) BOOST_AUTO_TEST_CASE(util_DateTimeStrFormat) { -/*These are platform-dependant and thus removed to avoid useless test failures BOOST_CHECK_EQUAL(DateTimeStrFormat("%Y-%m-%d %H:%M:%S", 0), "1970-01-01 00:00:00"); BOOST_CHECK_EQUAL(DateTimeStrFormat("%Y-%m-%d %H:%M:%S", 0x7FFFFFFF), "2038-01-19 03:14:07"); - // Formats used within Bitcoin BOOST_CHECK_EQUAL(DateTimeStrFormat("%Y-%m-%d %H:%M:%S", 1317425777), "2011-09-30 23:36:17"); BOOST_CHECK_EQUAL(DateTimeStrFormat("%Y-%m-%d %H:%M", 1317425777), "2011-09-30 23:36"); -*/ + BOOST_CHECK_EQUAL(DateTimeStrFormat("%a, %d %b %Y %H:%M:%S +0000", 1317425777), "Fri, 30 Sep 2011 23:36:17 +0000"); } BOOST_AUTO_TEST_CASE(util_ParseParameters) @@ -321,15 +319,15 @@ BOOST_AUTO_TEST_CASE(strprintf_numbers) size_t st = 12345678; /* unsigned size_t test value */ ssize_t sst = -12345678; /* signed size_t test value */ - BOOST_CHECK(strprintf("%s %"PRIszd" %s", B, sst, E) == B" -12345678 "E); - BOOST_CHECK(strprintf("%s %"PRIszu" %s", B, st, E) == B" 12345678 "E); - BOOST_CHECK(strprintf("%s %"PRIszx" %s", B, st, E) == B" bc614e "E); + BOOST_CHECK(strprintf("%s %d %s", B, sst, E) == B" -12345678 "E); + BOOST_CHECK(strprintf("%s %u %s", B, st, E) == B" 12345678 "E); + BOOST_CHECK(strprintf("%s %x %s", B, st, E) == B" bc614e "E); ptrdiff_t pt = 87654321; /* positive ptrdiff_t test value */ ptrdiff_t spt = -87654321; /* negative ptrdiff_t test value */ - BOOST_CHECK(strprintf("%s %"PRIpdd" %s", B, spt, E) == B" -87654321 "E); - BOOST_CHECK(strprintf("%s %"PRIpdu" %s", B, pt, E) == B" 87654321 "E); - BOOST_CHECK(strprintf("%s %"PRIpdx" %s", B, pt, E) == B" 5397fb1 "E); + BOOST_CHECK(strprintf("%s %d %s", B, spt, E) == B" -87654321 "E); + BOOST_CHECK(strprintf("%s %u %s", B, pt, E) == B" 87654321 "E); + BOOST_CHECK(strprintf("%s %x %s", B, pt, E) == B" 5397fb1 "E); } #undef B #undef E diff --git a/src/util.cpp b/src/util.cpp index a919b4b854c..b8036a38728 100644 --- a/src/util.cpp +++ b/src/util.cpp @@ -14,6 +14,8 @@ #include +#include + #ifndef WIN32 // for posix_fallocate #ifdef __linux_ @@ -303,26 +305,6 @@ int LogPrintStr(const std::string &str) return ret; } -void ParseString(const string& str, char c, vector& v) -{ - if (str.empty()) - return; - string::size_type i1 = 0; - string::size_type i2; - while (true) - { - i2 = str.find(c, i1); - if (i2 == str.npos) - { - v.push_back(str.substr(i1)); - return; - } - v.push_back(str.substr(i1, i2-i1)); - i1 = i2+1; - } -} - - string FormatMoney(int64_t n, bool fPlus) { // Note: not using straight sprintf here because we do NOT want @@ -1427,3 +1409,29 @@ void RenameThread(const char* name) #endif } +void SetupEnvironment() +{ + #ifndef WIN32 + try + { + #if BOOST_FILESYSTEM_VERSION == 3 + boost::filesystem::path::codecvt(); // Raises runtime error if current locale is invalid + #else // boost filesystem v2 + std::locale(); // Raises runtime error if current locale is invalid + #endif + } catch(std::runtime_error &e) + { + setenv("LC_ALL", "C", 1); // Force C locale + } + #endif +} + +std::string DateTimeStrFormat(const char* pszFormat, int64_t nTime) +{ + // std::locale takes ownership of the pointer + std::locale loc(std::locale::classic(), new boost::posix_time::time_facet(pszFormat)); + std::stringstream ss; + ss.imbue(loc); + ss << boost::posix_time::from_time_t(nTime); + return ss.str(); +} diff --git a/src/util.h b/src/util.h index fbd841f7a8b..89c6016698f 100644 --- a/src/util.h +++ b/src/util.h @@ -44,18 +44,6 @@ static const int64_t CENT = 1000000; #define UEND(a) ((unsigned char*)&((&(a))[1])) #define ARRAYLEN(array) (sizeof(array)/sizeof((array)[0])) -/* Format characters for (s)size_t, ptrdiff_t. - * - * Define these as empty as the tinyformat-based formatting system is - * type-safe, no special format characters are needed to specify sizes. - */ -#define PRIszx "x" -#define PRIszu "u" -#define PRIszd "d" -#define PRIpdx "x" -#define PRIpdu "u" -#define PRIpdd "d" - // This is needed because the foreach macro can't get over the comma in pair #define PAIRTYPE(t1, t2) std::pair @@ -118,6 +106,7 @@ extern volatile bool fReopenDebugLog; void RandAddSeed(); void RandAddSeedPerfmon(); +void SetupEnvironment(); /* Return true if log accepts specified category */ bool LogAcceptCategory(const char* category); @@ -165,7 +154,6 @@ static inline bool error(const char* format) void LogException(std::exception* pex, const char* pszThread); void PrintExceptionContinue(std::exception* pex, const char* pszThread); -void ParseString(const std::string& str, char c, std::vector& v); std::string FormatMoney(int64_t n, bool fPlus=false); bool ParseMoney(const std::string& str, int64_t& nRet); bool ParseMoney(const char* pszIn, int64_t& nRet); @@ -332,14 +320,7 @@ inline int64_t GetTimeMicros() boost::posix_time::ptime(boost::gregorian::date(1970,1,1))).total_microseconds(); } -inline std::string DateTimeStrFormat(const char* pszFormat, int64_t nTime) -{ - time_t n = nTime; - struct tm* ptmTime = gmtime(&n); - char pszTime[200]; - strftime(pszTime, sizeof(pszTime), pszFormat, ptmTime); - return pszTime; -} +std::string DateTimeStrFormat(const char* pszFormat, int64_t nTime); template void skipspaces(T& it) diff --git a/src/wallet.cpp b/src/wallet.cpp index 418720de939..0e92c8307bb 100644 --- a/src/wallet.cpp +++ b/src/wallet.cpp @@ -128,6 +128,22 @@ bool CWallet::AddCScript(const CScript& redeemScript) return CWalletDB(strWalletFile).WriteCScript(Hash160(redeemScript), redeemScript); } +bool CWallet::LoadCScript(const CScript& redeemScript) +{ + /* A sanity check was added in pull #3843 to avoid adding redeemScripts + * that never can be redeemed. However, old wallets may still contain + * these. Do not add them to the wallet and warn. */ + if (redeemScript.size() > MAX_SCRIPT_ELEMENT_SIZE) + { + std::string strAddr = CBitcoinAddress(redeemScript.GetID()).ToString(); + LogPrintf("%s: Warning: This wallet contains a redeemScript of size %i which exceeds maximum size %i thus can never be redeemed. Do not use address %s.\n", + __func__, redeemScript.size(), MAX_SCRIPT_ELEMENT_SIZE, strAddr); + return true; + } + + return CCryptoKeyStore::AddCScript(redeemScript); +} + bool CWallet::Unlock(const SecureString& strWalletPassphrase) { CCrypter crypter; @@ -1012,7 +1028,7 @@ void CWallet::AvailableCoins(vector& vCoins, bool fOnlyConfirmed, const vCoins.clear(); { - LOCK(cs_wallet); + LOCK2(cs_main, cs_wallet); for (map::const_iterator it = mapWallet.begin(); it != mapWallet.end(); ++it) { const uint256& wtxid = it->first; @@ -1265,10 +1281,14 @@ bool CWallet::CreateTransaction(const vector >& vecSend, BOOST_FOREACH(PAIRTYPE(const CWalletTx*, unsigned int) pcoin, setCoins) { int64_t nCredit = pcoin.first->vout[pcoin.second].nValue; - //The priority after the next block (depth+1) is used instead of the current, + //The coin age after the next block (depth+1) is used instead of the current, //reflecting an assumption the user would accept a bit more delay for //a chance at a free transaction. - dPriority += (double)nCredit * (pcoin.first->GetDepthInMainChain()+1); + //But mempool inputs might still be in the mempool, so their age stays 0 + int age = pcoin.first->GetDepthInMainChain(); + if (age != 0) + age += 1; + dPriority += (double)nCredit * age; } int64_t nChange = nValueIn - nValue - nFeeRet; @@ -1638,7 +1658,7 @@ bool CWallet::TopUpKeyPool(unsigned int kpSize) if (!walletdb.WritePool(nEnd, CKeyPool(GenerateNewKey()))) throw runtime_error("TopUpKeyPool() : writing generated key failed"); setKeyPool.insert(nEnd); - LogPrintf("keypool added key %d, size=%"PRIszu"\n", nEnd, setKeyPool.size()); + LogPrintf("keypool added key %d, size=%u\n", nEnd, setKeyPool.size()); } } return true; diff --git a/src/wallet.h b/src/wallet.h index b2c06d3f618..095781e5df5 100644 --- a/src/wallet.h +++ b/src/wallet.h @@ -143,26 +143,26 @@ class CWallet : public CCryptoKeyStore, public CWalletInterface CWallet() { - nWalletVersion = FEATURE_BASE; - nWalletMaxVersion = FEATURE_BASE; - fFileBacked = false; - nMasterKeyMaxID = 0; - pwalletdbEncryption = NULL; - nOrderPosNext = 0; - nNextResend = 0; - nLastResend = 0; + SetNull(); } CWallet(std::string strWalletFileIn) { - nWalletVersion = FEATURE_BASE; - nWalletMaxVersion = FEATURE_BASE; + SetNull(); + strWalletFile = strWalletFileIn; fFileBacked = true; + } + void SetNull() + { + nWalletVersion = FEATURE_BASE; + nWalletMaxVersion = FEATURE_BASE; + fFileBacked = false; nMasterKeyMaxID = 0; pwalletdbEncryption = NULL; nOrderPosNext = 0; nNextResend = 0; nLastResend = 0; + nTimeFirstKey = 0; } std::map mapWallet; @@ -211,7 +211,7 @@ class CWallet : public CCryptoKeyStore, public CWalletInterface // Adds an encrypted key to the store, without saving it to disk (used by LoadWallet) bool LoadCryptedKey(const CPubKey &vchPubKey, const std::vector &vchCryptedSecret); bool AddCScript(const CScript& redeemScript); - bool LoadCScript(const CScript& redeemScript) { return CCryptoKeyStore::AddCScript(redeemScript); } + bool LoadCScript(const CScript& redeemScript); /// Adds a destination data tuple to the store, and saves it to disk bool AddDestData(const CTxDestination &dest, const std::string &key, const std::string &value); @@ -756,7 +756,7 @@ class CWalletKey READWRITE(vchPrivKey); READWRITE(nTimeCreated); READWRITE(nTimeExpires); - READWRITE(strComment); + READWRITE(LIMITED_STRING(strComment, 65536)); ) }; @@ -831,7 +831,7 @@ class CAccountingEntry // Note: strAccount is serialized as part of the key, not here. READWRITE(nCreditDebit); READWRITE(nTime); - READWRITE(strOtherAccount); + READWRITE(LIMITED_STRING(strOtherAccount, 65536)); if (!fRead) { @@ -847,7 +847,7 @@ class CAccountingEntry } } - READWRITE(strComment); + READWRITE(LIMITED_STRING(strComment, 65536)); size_t nSepPos = strComment.find("\0", 0, 1); if (fRead) diff --git a/src/walletdb.cpp b/src/walletdb.cpp index 359a1cef61b..80e9dded5f6 100644 --- a/src/walletdb.cpp +++ b/src/walletdb.cpp @@ -894,7 +894,7 @@ bool CWalletDB::Recover(CDBEnv& dbenv, std::string filename, bool fOnlyKeys) LogPrintf("Salvage(aggressive) found no records in %s.\n", newFilename); return false; } - LogPrintf("Salvage(aggressive) found %"PRIszu" records\n", salvagedData.size()); + LogPrintf("Salvage(aggressive) found %u records\n", salvagedData.size()); bool fSuccess = allOK; Db* pdbCopy = new Db(&dbenv.dbenv, 0);