From d1860df1905ae7ee527a3f843eb52cf9886ba0d8 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 18 Aug 2020 12:47:17 +0100 Subject: [PATCH 01/59] Only send local station info to PSK Reporter when necessary Remove unneeded debug trace messages. --- Network/PSKReporter.cpp | 17 ++--------------- widgets/mainwindow.cpp | 1 - 2 files changed, 2 insertions(+), 16 deletions(-) diff --git a/Network/PSKReporter.cpp b/Network/PSKReporter.cpp index 59c5f2f0a..fcdebf2c5 100644 --- a/Network/PSKReporter.cpp +++ b/Network/PSKReporter.cpp @@ -21,7 +21,6 @@ #if QT_VERSION >= QT_VERSION_CHECK(5, 15, 0) #include #endif -#include #include "Configuration.hpp" #include "pimpl_impl.hpp" @@ -95,11 +94,11 @@ public: // handle re-opening asynchronously auto connection = QSharedPointer::create (); *connection = connect (socket_.data (), &QAbstractSocket::disconnected, [this, connection] () { - qDebug () << "PSKReporter::impl::check_connection: disconnected, socket state:" << socket_->state (); disconnect (*connection); check_connection (); }); // close gracefully + send_report (true); socket_->close (); } else @@ -122,7 +121,6 @@ public: default: spots_.clear (); - qDebug () << "PSKReporter::impl::handle_socket_error:" << socket_->errorString (); Q_EMIT self_->errorOccurred (socket_->errorString ()); break; } @@ -268,7 +266,6 @@ void PSKReporter::impl::build_preamble (QDataStream& message) << ++sequence_number_ // Sequence Number << observation_id_; // Observation Domain ID - // qDebug () << "PSKReporter::impl::build_preamble: send_descriptors_:" << send_descriptors_; if (send_descriptors_) { --send_descriptors_; @@ -333,7 +330,6 @@ void PSKReporter::impl::build_preamble (QDataStream& message) } } - // qDebug () << "PSKReporter::impl::build_preamble: send_receiver_data_:" << send_receiver_data_; // if (send_receiver_data_) { // --send_receiver_data_; @@ -361,8 +357,6 @@ void PSKReporter::impl::build_preamble (QDataStream& message) void PSKReporter::impl::send_report (bool send_residue) { - check_connection (); - // qDebug () << "PSKReporter::impl::send_report: send_residue:" << send_residue; if (QAbstractSocket::ConnectedState != socket_->state ()) return; QDataStream message {&payload_, QIODevice::WriteOnly | QIODevice::Append}; @@ -370,13 +364,11 @@ void PSKReporter::impl::send_report (bool send_residue) if (!payload_.size ()) { - // qDebug () << "PSKReporter::impl::send_report: building header"; // Build header, optional descriptors, and receiver information build_preamble (message); } auto flush = flushing () || send_residue; - // qDebug () << "PSKReporter::impl::send_report: flush:" << flush; while (spots_.size () || flush) { if (!payload_.size ()) @@ -391,7 +383,6 @@ void PSKReporter::impl::send_report (bool send_residue) tx_out << quint16 (0x50e3) // Template ID << quint16 (0u); // Length (place-holder) - // qDebug () << "PSKReporter::impl::send_report: set data set header"; } // insert any residue @@ -399,7 +390,6 @@ void PSKReporter::impl::send_report (bool send_residue) { tx_out.writeRawData (tx_residue_.constData (), tx_residue_.size ()); tx_residue_.clear (); - // qDebug () << "PSKReporter::impl::send_report: inserted data residue"; } while (spots_.size () || flush) @@ -408,7 +398,6 @@ void PSKReporter::impl::send_report (bool send_residue) if (spots_.size ()) { auto const& spot = spots_.dequeue (); - // qDebug () << "PSKReporter::impl::send_report: processing spotted call:" << spot.call_; // Sender information writeUtfString (tx_out, spot.call_); @@ -440,7 +429,6 @@ void PSKReporter::impl::send_report (bool send_residue) if (len <= MAX_PAYLOAD_LENGTH) { tx_data_size = tx_data_.size (); - // qDebug () << "PSKReporter::impl::send_report: sending short payload:" << tx_data_size; } QByteArray tx {tx_data_.left (tx_data_size)}; QDataStream out {&tx, QIODevice::WriteOnly | QIODevice::Append}; @@ -462,7 +450,6 @@ void PSKReporter::impl::send_report (bool send_residue) // Send data to PSK Reporter site socket_->write (payload_); // TODO: handle errors - // qDebug () << "PSKReporter::impl::send_report: sent payload:" << payload_.size () << "observation id:" << observation_id_; flush = false; // break loop message.device ()->seek (0u); payload_.clear (); // Fresh message @@ -470,7 +457,6 @@ void PSKReporter::impl::send_report (bool send_residue) tx_residue_ = tx_data_.right (tx_data_.size () - tx_data_size); tx_out.device ()->seek (0u); tx_data_.clear (); - // qDebug () << "PSKReporter::impl::send_report: payload sent residue length:" << tx_residue_.size (); break; } } @@ -523,6 +509,7 @@ bool PSKReporter::addRemoteStation (QString const& call, QString const& grid, Ra void PSKReporter::sendReport (bool last) { + m_->check_connection (); if (m_->socket_ && QAbstractSocket::ConnectedState == m_->socket_->state ()) { m_->send_report (true); diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 712e29d38..a34d35082 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -3624,7 +3624,6 @@ void MainWindow::pskPost (DecodedText const& decodedtext) } int snr = decodedtext.snr(); Frequency frequency = m_freqNominal + audioFrequency; - pskSetLocal (); if(grid.contains (grid_regexp)) { // qDebug() << "To PSKreporter:" << deCall << grid << frequency << msgmode << snr; if (!m_psk_Reporter.addRemoteStation (deCall, grid, frequency, msgmode, snr)) From b37e419fc7c76f3662565b38d3d635f13fddeb73 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Wed, 19 Aug 2020 12:32:27 +0100 Subject: [PATCH 02/59] Qt 5.15 compatibility --- Network/MessageClient.cpp | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/Network/MessageClient.cpp b/Network/MessageClient.cpp index 1d571a5dd..3c208fd3f 100644 --- a/Network/MessageClient.cpp +++ b/Network/MessageClient.cpp @@ -190,7 +190,13 @@ void MessageClient::impl::parse_message (QByteArray const& msg) quint8 modifiers {0}; in >> time >> snr >> delta_time >> delta_frequency >> mode >> message >> low_confidence >> modifiers; - TRACE_UDP ("Reply: time:" << time << "snr:" << snr << "dt:" << delta_time << "df:" << delta_frequency << "mode:" << mode << "message:" << message << "low confidence:" << low_confidence << "modifiers: 0x" << hex << modifiers); + TRACE_UDP ("Reply: time:" << time << "snr:" << snr << "dt:" << delta_time << "df:" << delta_frequency << "mode:" << mode << "message:" << message << "low confidence:" << low_confidence << "modifiers: 0x" +#if QT_VERSION >= QT_VERSION_CHECK (5, 15, 0) + << Qt::hex +#else + << hex +#endif + << modifiers); if (check_status (in) != Fail) { Q_EMIT self_->reply (time, snr, delta_time, delta_frequency From 49366d0455a78f8be7b1c16569c04d53e6e264a1 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Sat, 22 Aug 2020 02:40:33 +0100 Subject: [PATCH 03/59] CMake 3.17 compatibility --- CMake/Modules/FindFFTW3.cmake | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CMake/Modules/FindFFTW3.cmake b/CMake/Modules/FindFFTW3.cmake index 10349cb69..3bcfd88c3 100644 --- a/CMake/Modules/FindFFTW3.cmake +++ b/CMake/Modules/FindFFTW3.cmake @@ -34,6 +34,12 @@ # # $Id: FindFFTW3.cmake 15918 2010-06-25 11:12:42Z loose $ +# Compatibily with old style MinGW packages with no .dll.a files +# needed since CMake v3.17 because of fix for #20019 +if (MINGW) + set (CMAKE_FIND_LIBRARY_SUFFIXES ".dll" ".dll.a" ".a" ".lib") +endif () + # Use double precision by default. if (FFTW3_FIND_COMPONENTS MATCHES "^$") set (_components double) @@ -75,7 +81,7 @@ set (_check_list) foreach (_lib ${_libraries}) string (TOUPPER ${_lib} _LIB) find_library (${_LIB}_LIBRARY NAMES ${_lib} ${_lib}-3 - HINTS ${FFTW3_ROOT_DIR} PATH_SUFFIXES lib) + PATH_SUFFIXES lib) mark_as_advanced (${_LIB}_LIBRARY) list (APPEND FFTW3_LIBRARIES ${${_LIB}_LIBRARY}) list (APPEND _check_list ${_LIB}_LIBRARY) From f00f9bbeb9be1715f7366b6e1eadac2cce0a44c3 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Sat, 22 Aug 2020 11:57:44 +0100 Subject: [PATCH 04/59] Revert "CMake 3.17 compatibility" This reverts commit 49366d0455a78f8be7b1c16569c04d53e6e264a1. --- CMake/Modules/FindFFTW3.cmake | 8 +------- 1 file changed, 1 insertion(+), 7 deletions(-) diff --git a/CMake/Modules/FindFFTW3.cmake b/CMake/Modules/FindFFTW3.cmake index 3bcfd88c3..10349cb69 100644 --- a/CMake/Modules/FindFFTW3.cmake +++ b/CMake/Modules/FindFFTW3.cmake @@ -34,12 +34,6 @@ # # $Id: FindFFTW3.cmake 15918 2010-06-25 11:12:42Z loose $ -# Compatibily with old style MinGW packages with no .dll.a files -# needed since CMake v3.17 because of fix for #20019 -if (MINGW) - set (CMAKE_FIND_LIBRARY_SUFFIXES ".dll" ".dll.a" ".a" ".lib") -endif () - # Use double precision by default. if (FFTW3_FIND_COMPONENTS MATCHES "^$") set (_components double) @@ -81,7 +75,7 @@ set (_check_list) foreach (_lib ${_libraries}) string (TOUPPER ${_lib} _LIB) find_library (${_LIB}_LIBRARY NAMES ${_lib} ${_lib}-3 - PATH_SUFFIXES lib) + HINTS ${FFTW3_ROOT_DIR} PATH_SUFFIXES lib) mark_as_advanced (${_LIB}_LIBRARY) list (APPEND FFTW3_LIBRARIES ${${_LIB}_LIBRARY}) list (APPEND _check_list ${_LIB}_LIBRARY) From d5222394923912929e7130939e14b67ad66bfc22 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Sat, 22 Aug 2020 11:58:39 +0100 Subject: [PATCH 05/59] CMake v3.17 compatability --- CMake/Modules/FindFFTW3.cmake | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CMake/Modules/FindFFTW3.cmake b/CMake/Modules/FindFFTW3.cmake index 10349cb69..999c2ffe3 100644 --- a/CMake/Modules/FindFFTW3.cmake +++ b/CMake/Modules/FindFFTW3.cmake @@ -34,6 +34,12 @@ # # $Id: FindFFTW3.cmake 15918 2010-06-25 11:12:42Z loose $ +# Compatibily with old style MinGW packages with no .dll.a files +# needed since CMake v3.17 because of fix for #20019 +if (MINGW) + set (CMAKE_FIND_LIBRARY_SUFFIXES ".dll" ".dll.a" ".a" ".lib") +endif () + # Use double precision by default. if (FFTW3_FIND_COMPONENTS MATCHES "^$") set (_components double) From 64f29318aa69decd9906e690fa6f29285972038e Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Sat, 29 Aug 2020 14:04:29 +0100 Subject: [PATCH 06/59] Repair an auto-sequencing defect with UDP Reply message handling --- widgets/mainwindow.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index a34d35082..fca346bb5 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -5170,7 +5170,7 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie && !m_bDoubleClicked && m_mode!="FT4") { return; } - if(m_config.quick_call()) auto_tx_mode(true); + if(m_config.quick_call() && m_bDoubleClicked) auto_tx_mode(true); m_bDoubleClicked=false; } From 37e05f6074c99cd8131010af5c3117c8f731392a Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Fri, 31 Jul 2020 14:15:49 -0500 Subject: [PATCH 07/59] Set unpk77_success=.false. for messages with i3=0 and n3>6. --- lib/77bit/packjt77.f90 | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/lib/77bit/packjt77.f90 b/lib/77bit/packjt77.f90 index cd17e8b47..83d848f1f 100644 --- a/lib/77bit/packjt77.f90 +++ b/lib/77bit/packjt77.f90 @@ -278,6 +278,7 @@ subroutine unpack77(c77,nrx,msg,unpk77_success) read(c77(72:77),'(2b3)') n3,i3 msg=repeat(' ',37) + if(i3.eq.0 .and. n3.eq.0) then ! 0.0 Free text call unpacktext77(c77(1:71),msg(1:13)) @@ -421,7 +422,10 @@ subroutine unpack77(c77,nrx,msg,unpk77_success) if(.not.unpkg4_success) unpk77_success=.false. msg=trim(call_1)//' '//grid6 endif - + + else if(i3.eq.0 .and. n3.gt.6) then + unpk77_success=.false. + else if(i3.eq.1 .or. i3.eq.2) then ! Type 1 (standard message) or Type 2 ("/P" form for EU VHF contest) read(c77,1000) n28a,ipa,n28b,ipb,ir,igrid4,i3 From cdbe425e565223b853e962eb518c2387886b661e Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Sat, 1 Aug 2020 10:58:21 -0500 Subject: [PATCH 08/59] Use squared metric for fst4 - works better on fading channel. --- lib/fst4/get_fst4_bitmetrics.f90 | 2 +- lib/fst4/get_fst4_bitmetrics2.f90 | 30 +++++++++++++++--------------- 2 files changed, 16 insertions(+), 16 deletions(-) diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index 76a00dc2e..125777568 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -105,7 +105,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) csum=csum+cs(graymap(ntone),ks+j)*cterm cterm=cterm*conjg(cp(graymap(ntone))) enddo - s2(i)=abs(csum) + s2(i)=abs(csum)**2 enddo ipt=1+(ks-1)*2 if(nsym.eq.1) ibmax=1 diff --git a/lib/fst4/get_fst4_bitmetrics2.f90 b/lib/fst4/get_fst4_bitmetrics2.f90 index da0a6a230..6a669bd4c 100644 --- a/lib/fst4/get_fst4_bitmetrics2.f90 +++ b/lib/fst4/get_fst4_bitmetrics2.f90 @@ -49,21 +49,21 @@ subroutine get_fst4_bitmetrics2(cd,nss,hmod,nsizes,bitmetrics,s4hmod,badsync) i1=(k-1)*NSS csymb=cd(i1:i1+NSS-1) do itone=0,3 - s4(itone,k,1)=abs(sum(csymb*conjg(c1(:,itone)))) - s4(itone,k,2)=abs(sum(csymb( 1:nss/2)*conjg(c1( 1:nss/2,itone)))) + & - abs(sum(csymb(nss/2+1: nss)*conjg(c1(nss/2+1: nss,itone)))) - s4(itone,k,3)=abs(sum(csymb( 1: nss/4)*conjg(c1( 1: nss/4,itone)))) + & - abs(sum(csymb( nss/4+1: nss/2)*conjg(c1( nss/4+1: nss/2,itone)))) + & - abs(sum(csymb( nss/2+1:3*nss/4)*conjg(c1( nss/2+1:3*nss/4,itone)))) + & - abs(sum(csymb(3*nss/4+1: nss)*conjg(c1(3*nss/4+1: nss,itone)))) - s4(itone,k,4)=abs(sum(csymb( 1: nss/8)*conjg(c1( 1: nss/8,itone)))) + & - abs(sum(csymb( nss/8+1: nss/4)*conjg(c1( nss/8+1: nss/4,itone)))) + & - abs(sum(csymb( nss/4+1:3*nss/8)*conjg(c1( nss/4+1:3*nss/8,itone)))) + & - abs(sum(csymb(3*nss/8+1: nss/2)*conjg(c1(3*nss/8+1: nss/2,itone)))) + & - abs(sum(csymb( nss/2+1:5*nss/8)*conjg(c1( nss/2+1:5*nss/8,itone)))) + & - abs(sum(csymb(5*nss/8+1:3*nss/4)*conjg(c1(5*nss/8+1:3*nss/4,itone)))) + & - abs(sum(csymb(3*nss/4+1:7*nss/8)*conjg(c1(3*nss/4+1:7*nss/8,itone)))) + & - abs(sum(csymb(7*nss/8+1: nss)*conjg(c1(7*nss/8+1: nss,itone)))) + s4(itone,k,1)=abs(sum(csymb*conjg(c1(:,itone))))**2 + s4(itone,k,2)=abs(sum(csymb( 1:nss/2)*conjg(c1( 1:nss/2,itone))))**2 + & + abs(sum(csymb(nss/2+1: nss)*conjg(c1(nss/2+1: nss,itone))))**2 + s4(itone,k,3)=abs(sum(csymb( 1: nss/4)*conjg(c1( 1: nss/4,itone))))**2 + & + abs(sum(csymb( nss/4+1: nss/2)*conjg(c1( nss/4+1: nss/2,itone))))**2 + & + abs(sum(csymb( nss/2+1:3*nss/4)*conjg(c1( nss/2+1:3*nss/4,itone))))**2 + & + abs(sum(csymb(3*nss/4+1: nss)*conjg(c1(3*nss/4+1: nss,itone))))**2 + s4(itone,k,4)=abs(sum(csymb( 1: nss/8)*conjg(c1( 1: nss/8,itone))))**2 + & + abs(sum(csymb( nss/8+1: nss/4)*conjg(c1( nss/8+1: nss/4,itone))))**2 + & + abs(sum(csymb( nss/4+1:3*nss/8)*conjg(c1( nss/4+1:3*nss/8,itone))))**2 + & + abs(sum(csymb(3*nss/8+1: nss/2)*conjg(c1(3*nss/8+1: nss/2,itone))))**2 + & + abs(sum(csymb( nss/2+1:5*nss/8)*conjg(c1( nss/2+1:5*nss/8,itone))))**2 + & + abs(sum(csymb(5*nss/8+1:3*nss/4)*conjg(c1(5*nss/8+1:3*nss/4,itone))))**2 + & + abs(sum(csymb(3*nss/4+1:7*nss/8)*conjg(c1(3*nss/4+1:7*nss/8,itone))))**2 + & + abs(sum(csymb(7*nss/8+1: nss)*conjg(c1(7*nss/8+1: nss,itone))))**2 enddo enddo From 9d2bde71805ecbc2ed006e107e5f8dc8e6647100 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Tue, 4 Aug 2020 09:15:44 -0500 Subject: [PATCH 09/59] Fix SNR calculation for B,C,D submodes. --- lib/fst4/get_fst4_bitmetrics.f90 | 2 +- lib/fst4/get_fst4_bitmetrics2.f90 | 11 ++++------- lib/fst4_decode.f90 | 2 +- 3 files changed, 6 insertions(+), 9 deletions(-) diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index 125777568..9cf1e2470 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -52,7 +52,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) do itone=0,3 cs(itone,k)=sum(csymb*conjg(c1(:,itone))) enddo - s4(0:3,k)=abs(cs(0:3,k)) + s4(0:3,k)=abs(cs(0:3,k))**2 enddo ! Sync quality check diff --git a/lib/fst4/get_fst4_bitmetrics2.f90 b/lib/fst4/get_fst4_bitmetrics2.f90 index 6a669bd4c..9badef231 100644 --- a/lib/fst4/get_fst4_bitmetrics2.f90 +++ b/lib/fst4/get_fst4_bitmetrics2.f90 @@ -1,4 +1,4 @@ -subroutine get_fst4_bitmetrics2(cd,nss,hmod,nsizes,bitmetrics,s4hmod,badsync) +subroutine get_fst4_bitmetrics2(cd,nss,hmod,nsizes,bitmetrics,s4snr,badsync) include 'fst4_params.f90' complex cd(0:NN*nss-1) @@ -15,7 +15,7 @@ subroutine get_fst4_bitmetrics2(cd,nss,hmod,nsizes,bitmetrics,s4hmod,badsync) logical badsync real bitmetrics(2*NN,4) real s2(0:65535) - real s4(0:3,NN,4),s4hmod(0:3,NN) + real s4(0:3,NN,4),s4snr(0:3,NN) data isyncword1/0,1,3,2,1,0,2,3/ data isyncword2/2,3,1,0,3,2,0,1/ data graymap/0,1,3,2/ @@ -121,11 +121,8 @@ subroutine get_fst4_bitmetrics2(cd,nss,hmod,nsizes,bitmetrics,s4hmod,badsync) call normalizebmet(bitmetrics(:,3),2*NN) call normalizebmet(bitmetrics(:,4),2*NN) -! Return the s4 array corresponding to N=1/hmod. Will be used for SNR calculation - if(hmod.eq.1) s4hmod(:,:)=s4(:,:,1) - if(hmod.eq.2) s4hmod(:,:)=s4(:,:,2) - if(hmod.eq.4) s4hmod(:,:)=s4(:,:,3) - if(hmod.eq.8) s4hmod(:,:)=s4(:,:,4) +! Return the s4 array corresponding to N=1. Will be used for SNR calculation + s4snr(:,:)=s4(:,:,1) return end subroutine get_fst4_bitmetrics2 diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index caf9a4b4f..72041bc3f 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -550,7 +550,7 @@ contains endif xsig=0 do i=1,NN - xsig=xsig+s4(itone(i),i)**2 + xsig=xsig+s4(itone(i),i) enddo arg=600.0*(xsig/base)-1.0 if(arg.gt.0.0) then From b191e0c5ef3a41b6d36db9728d68b343c8056cf7 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Tue, 4 Aug 2020 09:15:44 -0500 Subject: [PATCH 10/59] Fix SNR calculation for B,C,D submodes. --- lib/fst4_decode.f90 | 26 ++++++++++++++------------ 1 file changed, 14 insertions(+), 12 deletions(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 72041bc3f..d32873c42 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -49,7 +49,7 @@ contains complex, allocatable :: cframe(:) complex, allocatable :: c_bigfft(:) !Complex waveform real llr(240),llra(240),llrb(240),llrc(240),llrd(240) - real candidates(100,4) + real candidates(200,4) real bitmetrics(320,4) real s4(0:3,NN) real minsync @@ -253,6 +253,7 @@ contains call four2a(c_bigfft,nfft1,1,-1,0) !r2c ! call blank2(nfa,nfb,nfft1,c_bigfft,iwave) + nhicoh=0 if(hmod.eq.1) then if(fMHz.lt.2.0) then nsyncoh=8 ! Use N=8 for sync @@ -277,7 +278,7 @@ contains if(hmod.eq.1) then if(ntrperiod.eq.15) minsync=1.15 - if(ntrperiod.gt.15) minsync=1.20 + if(ntrperiod.gt.15) minsync=1.25 elseif(hmod.gt.1) then minsync=1.2 endif @@ -410,7 +411,7 @@ contains ns4=count(hbits(229:244).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) ns5=count(hbits(305:320).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) nsync_qual=ns1+ns2+ns3+ns4+ns5 -! if(nsync_qual.lt. 46) cycle !### Value ?? ### + if(nsync_qual.lt. 46) cycle !### Value ?? ### scalefac=2.83 llra( 1: 60)=bitmetrics( 17: 76, 1) llra( 61:120)=bitmetrics( 93:152, 1) @@ -457,7 +458,7 @@ contains if(itry.gt.nblock) then llr=llra if(nblock.gt.1) then - if(hmod.eq.1) llr=llrd + if(hmod.eq.1) llr=llrc if(hmod.eq.2) llr=llrb if(hmod.eq.4) llr=llrc if(hmod.eq.8) llr=llrd @@ -737,7 +738,7 @@ contains complex c_bigfft(0:nfft1/2) !Full length FFT of raw data integer hmod !Modulation index (submode) integer im(1) !For maxloc - real candidates(100,4) !Candidate list + real candidates(200,4) !Candidate list real, allocatable :: s(:) !Low resolution power spectrum real, allocatable :: s2(:) !CCF of s() with 4 tones real xdb(-3:3) !Model 4-tone CCF peaks @@ -794,17 +795,18 @@ contains ! Find candidates, using the CLEAN algorithm to remove a model of each one ! from s2() after it has been found. pval=99.99 - do while(ncand.lt.100) + do while(ncand.lt.200) im=maxloc(s2(ia:ib)) iploc=ia+im(1)-1 !Index of CCF peak pval=s2(iploc) !Peak value if(pval.lt.minsync) exit - do i=-3,+3 !Remove 0.9 of a model CCF at - k=iploc+2*hmod*i !this frequency from s2() - if(k.ge.ia .and. k.le.ib) then - s2(k)=max(0.,s2(k)-0.9*pval*xdb(i)) - endif - enddo +! do i=-3,+3 !Remove 0.9 of a model CCF at +! k=iploc+2*hmod*i !this frequency from s2() +! if(k.ge.ia .and. k.le.ib) then +! s2(k)=max(0.,s2(k)-0.9*pval*xdb(i)) +! endif +! enddo + s2(max(1,iploc-2*hmod*3):min(nnw,iploc+2*hmod*3))=0.0 ncand=ncand+1 candidates(ncand,1)=df2*iploc !Candidate frequency candidates(ncand,2)=pval !Rough estimate of SNR From 8b7db6556cf8d489ff8efcc913d5f6053dd28ce3 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Tue, 4 Aug 2020 10:25:09 -0500 Subject: [PATCH 11/59] Changes to the llrs that are used as the basis for AP decoding. --- lib/fst4_decode.f90 | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index d32873c42..88572dfb7 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -459,9 +459,9 @@ contains llr=llra if(nblock.gt.1) then if(hmod.eq.1) llr=llrc - if(hmod.eq.2) llr=llrb - if(hmod.eq.4) llr=llrc - if(hmod.eq.8) llr=llrd + if(hmod.eq.2) llr=llra + if(hmod.eq.4) llr=llrb + if(hmod.eq.8) llr=llrc endif iaptype=naptypes(nQSOProgress,itry-nblock) if(lapcqonly) iaptype=1 From 6838a6b4847f017b3bafe1d9540605cee5012949 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Tue, 4 Aug 2020 11:56:32 -0500 Subject: [PATCH 12/59] Remove some unneeded code. --- lib/fst4_decode.f90 | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 88572dfb7..e56fa27a8 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -149,8 +149,7 @@ contains if(i3.ne.1 .or. (msg.ne.msgsent) .or. .not.unpk77_success) go to 10 read(c77,'(77i1)') message77 message77=mod(message77+rvec,2) - call encode174_91(message77,cw) - apbits=2*cw-1 + apbits(1:77)=2*message77-1 if(nohiscall) apbits(30)=99 10 continue From ade1eb861d4322419a134f79c0d8800d5d166628 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Mon, 10 Aug 2020 09:31:44 -0400 Subject: [PATCH 13/59] User Guide edits from Dave, KC3GPM. --- doc/user_guide/en/install-from-source.adoc | 6 +- doc/user_guide/en/install-linux.adoc | 18 +++--- doc/user_guide/en/install-mac.adoc | 8 +-- doc/user_guide/en/introduction.adoc | 10 ++-- doc/user_guide/en/logging.adoc | 24 ++++---- doc/user_guide/en/make-qso.adoc | 8 +-- doc/user_guide/en/measurement_tools.adoc | 66 +++++++++++----------- doc/user_guide/en/protocols.adoc | 21 ++++--- 8 files changed, 84 insertions(+), 77 deletions(-) diff --git a/doc/user_guide/en/install-from-source.adoc b/doc/user_guide/en/install-from-source.adoc index f106aa59b..b70e89c55 100644 --- a/doc/user_guide/en/install-from-source.adoc +++ b/doc/user_guide/en/install-from-source.adoc @@ -1,7 +1,7 @@ -// Status=review +// Status=edited Source code for _WSJT-X_ is available from a public repository at -{devrepo}. To compile the program you will need to install at least the +{devrepo}. To compile the program, at a minimum you must install the following packages: - Git @@ -19,7 +19,7 @@ cd wsjtx git checkout wsjtx-{VERSION} ===== -and for the current development branch, +and for the current development branch: ===== git clone git://git.code.sf.net/p/wsjt/wsjtx diff --git a/doc/user_guide/en/install-linux.adoc b/doc/user_guide/en/install-linux.adoc index ad905f32d..6461ac77e 100644 --- a/doc/user_guide/en/install-linux.adoc +++ b/doc/user_guide/en/install-linux.adoc @@ -1,16 +1,14 @@ -// Status=review +// Status=edited Debian, Ubuntu, and other Debian-based systems including Raspbian: -NOTE: The project team release binary installer packages for Linux -when a new _WSJT-X_ release is announced. These are built to -target one contemporary version of a Linux distribution. Although -these may work on newer Linux versions or even different -distributions, it is unlikely that they will work on older -versions. Check the notes provided with the release for details of the -targeted Linux distributions and versions. If the binary package is -not compatible with your Linux distribution or version you must build -the application from sources. +NOTE: The project team release binary installer packages targeted for +one contemporary version of a Linux distribution. Although these may +work on newer Linux versions or even different distributions, it is +unlikely that they work on older versions. Check the notes provided +with the release for details of the targeted Linux distributions and +versions. If the binary package is not compatible with your Linux +distribution or version, you must build the application from sources. * 32-bit: {debian32} - To install: diff --git a/doc/user_guide/en/install-mac.adoc b/doc/user_guide/en/install-mac.adoc index 26384805f..6595ba1c9 100644 --- a/doc/user_guide/en/install-mac.adoc +++ b/doc/user_guide/en/install-mac.adoc @@ -1,12 +1,12 @@ // These instructions are up-to-date for WSJT-X v2.2 -*OS X 10.12* and later: Download the file {osx} to your desktop, -double-click on it and consult its `ReadMe` file for important +*macOS10.13* and later: Download the file {osx} to your desktop, +double-click it and consult its `ReadMe` file for important installation notes. If you have already installed a previous version, you can retain it by -changing its name in the *Applications* folder (say, from _WSJT-X_ to -_WSJT-X_2.1_). You can then proceed to the installation phase. +changing its name in the *Applications* folder (such as from _WSJT-X_ to +_WSJT-X_2.2_). You can then proceed to the installation phase. Take note also of the following: diff --git a/doc/user_guide/en/introduction.adoc b/doc/user_guide/en/introduction.adoc index a592e5325..f172b5d35 100644 --- a/doc/user_guide/en/introduction.adoc +++ b/doc/user_guide/en/introduction.adoc @@ -4,7 +4,7 @@ _WSJT-X_ is a computer program designed to facilitate basic amateur radio communication using very weak signals. The first four letters in the program name stand for "`**W**eak **S**ignal communication by K1**JT**,`" while the suffix "`-X`" indicates that _WSJT-X_ started as -an e**Xt**ended and e**X**perimental branch of the program _WSJT_, +an extended and experimental branch of the program _WSJT_, first released in 2001. Bill Somerville, G4WJS, and Steve Franke, K9AN, have been major contributors to program development since 2013 and 2015, respectively. @@ -16,7 +16,7 @@ making reliable QSOs under weak-signal conditions. They use nearly identical message structure and source encoding. JT65 and QRA64 were designed for EME ("`moonbounce`") on the VHF/UHF bands and have also proven very effective for worldwide QRP communication on the HF bands. -QRA64 has a some advantages over JT65, including better performance +QRA64 has some advantages over JT65, including better performance for EME on the higher microwave bands. JT9 was originally designed for the LF, MF, and lower HF bands. Its submode JT9A is 2 dB more sensitive than JT65 while using less than 10% of the bandwidth. JT4 @@ -27,7 +27,7 @@ reception, so a minimal QSO takes four to six minutes — two or three transmissions by each station, one sending in odd UTC minutes and the other even. FT8 is operationally similar but four times faster (15-second T/R sequences) and less sensitive by a few dB. FT4 is -faster still (7.5 s T/R sequences) and especially well suited for +faster still (7.5 s T/R sequences) and especially well-suited for radio contesting. On the HF bands, world-wide QSOs are possible with any of these modes using power levels of a few watts (or even milliwatts) and compromise antennas. On VHF bands and higher, QSOs @@ -45,7 +45,7 @@ protocols designed to take advantage of brief signal enhancements from ionized meteor trails, aircraft scatter, and other types of scatter propagation. These modes use timed sequences of 5, 10, 15, or 30 s duration. User messages are transmitted repeatedly at high rate (up -to 250 characters per second, for MSK144) to make good use of the +to 250 characters per second for MSK144) to make good use of the shortest meteor-trail reflections or "`pings`". ISCAT uses free-form messages up to 28 characters long, while MSK144 uses the same structured messages as the slow modes and optionally an abbreviated @@ -80,4 +80,4 @@ be beta releases leading up to the final release of v2.1.0. Release candidates should be used _only_ during a short testing period. They carry an implied obligation to provide feedback to the program development group. Candidate releases should not be used on -the air after a full release with the same number has been made. +the air after a full release with the same number is made. diff --git a/doc/user_guide/en/logging.adoc b/doc/user_guide/en/logging.adoc index 4176a2a40..a3193ba25 100644 --- a/doc/user_guide/en/logging.adoc +++ b/doc/user_guide/en/logging.adoc @@ -1,7 +1,9 @@ +//status: edited + A basic logging facility in _WSJT-X_ saves QSO information to files named `wsjtx.log` (in comma-separated text format) and `wsjtx_log.adi` (in standard ADIF format). These files can be imported directly into -other programs, for example spreadsheets and popular logging programs. +other programs (such as spreadsheets and popular logging programs). As described in the <> and <> sections, different operating systems may place your local log files in different locations. You can always navigate to @@ -12,30 +14,32 @@ applications like {jtalert}, which can log QSOs automatically to other applications including {hrd}, {dxlsuite}, and {log4om}. The program option *Show DXCC entity and worked before status* -(selectable on the *Settings | General* tab) is intended mostly for +(selectable on the *File | Settings | General* tab) is intended mostly for use on non-Windows platforms, where {jtalert} is not available. When -this option is checked _WSJT-X_ appends some additional information to +this option is checked, _WSJT-X_ appends some additional information to all CQ messages displayed in the _Band Activity_ window. The name of the DXCC entity is shown, abbreviated if necessary. Your "`worked before`" status for this callsign (according to log file `wsjtx_log.adi`) is indicated by highlighting colors, if that option -has been selected. +is selected. _WSJT-X_ includes a built-in `cty.dat` file containing DXCC prefix information. Updated files can be downloaded from the {cty_dat} web -site when required. If an updated `cty.dat` is present in the logs -folder and readable, it will be used in preference to the built-in -one. +site when required. If an updated and readable `cty.dat` file is +present in the logs folder, it is used in preference to the +built-in file. The log file `wsjtx_log.adi` is updated whenever you log a QSO from -_WSJT-X_. (Keep in mind that if you erase this file you will lose all +_WSJT-X_. (Keep in mind that if you erase this file, you lose all "`worked before`" information.) You can append or overwrite the `wsjtx_log.adi` file by exporting your QSO history as an ADIF file from another logging program. Turning *Show DXCC entity and worked -before status* off and then on again will cause _WSJT-X_ to re-read +before status* off and then on again causes _WSJT-X_ to re-read the log file. Very large log files may cause _WSJT-X_ to slow down -when searching for calls. If the ADIF log file has been changed +when searching for calls. If the ADIF log file has been changed outside of _WSJT-X_ you can force _WSJT-X_ to reload the file from the *Settings | Colors* tab using the *Rescan ADIF Log* button, see <>. +Additional features are provided for *Contest* and *Fox* logging. +(more to come, here ...) diff --git a/doc/user_guide/en/make-qso.adoc b/doc/user_guide/en/make-qso.adoc index 03f02fd46..725bafe73 100644 --- a/doc/user_guide/en/make-qso.adoc +++ b/doc/user_guide/en/make-qso.adoc @@ -37,7 +37,7 @@ assigns more reliable numbers to relatively strong signals. NOTE: Signals become visible on the waterfall around S/N = –26 dB and audible (to someone with very good hearing) around –15 dB. Thresholds for decodability are around -20 dB for FT8, -23 dB for JT4, –25 dB for -JT65, –27 dB for JT9. +JT65, and –27 dB for JT9. NOTE: Several options are available for circumstances where fast QSOs are desirable. Double-click the *Tx1* control under _Now_ or _Next_ @@ -75,7 +75,7 @@ When calling CQ you may also choose to check the box *Call 1st*. _WSJT-X_ will then respond automatically to the first decoded responder to your CQ. -NOTE: When *Auto-Seq* is enabled the program de-activates *Enable Tx* +NOTE: When *Auto-Seq* is enabled, the program de-activates *Enable Tx* at the end of each QSO. It is not intended that _WSJT-X_ should make fully automated QSOs. @@ -259,7 +259,7 @@ that a second callsign is never permissible in these messages. NOTE: During a transmission your outgoing message is displayed in the first label on the *Status Bar* and shown exactly as another station -will receive it. You can check to see that you are actually +receives it. You can check to see that you are actually transmitting the message you wish to send. QSOs involving *Type 2* compound callsigns might look like either @@ -287,7 +287,7 @@ standard structured messages without callsign prefix or suffix. TIP: If you are using a compound callsign, you may want to experiment with the option *Message generation for type 2 compound -callsign holders* on the *Settings | General* tab, so that messages +callsign holders* on the *File | Settings | General* tab, so that messages will be generated that best suit your needs. === Pre-QSO Checklist diff --git a/doc/user_guide/en/measurement_tools.adoc b/doc/user_guide/en/measurement_tools.adoc index 766939e7c..fe501d650 100644 --- a/doc/user_guide/en/measurement_tools.adoc +++ b/doc/user_guide/en/measurement_tools.adoc @@ -1,6 +1,8 @@ +//Status: edited + === Frequency Calibration -Many _WSJT-X_ capabilities depend on signal-detection bandwidths no +Many _WSJT-X_ capabilities depend on signal-detection bandwidths of no more than a few Hz. Frequency accuracy and stability are therefore unusually important. We provide tools to enable accurate frequency calibration of your radio, as well as precise frequency measurement of @@ -11,11 +13,11 @@ measuring the error in dial frequency for each signal. You will probably find it convenient to define and use a special <> dedicated to frequency calibration. -Then complete the following steps, as appropriate for your system. +Then complete the following steps, as appropriate, for your system. - Switch to FreqCal mode -- In the _Working Frequencies_ box on the *Settings -> Frequencies* +- In the _Working Frequencies_ box on the *File | Settings | Frequencies* tab, delete any default frequencies for *FreqCal* mode that are not relevant for your location. You may want to replace some of them with reliably known frequencies receivable at your location. @@ -29,14 +31,14 @@ of WWV at 2.500, 5.000, 10.000, 15.000, and 20.000 MHz, and CHU at 3.330, 7.850, and 14.670 MHz. Similar shortwave signals are available in other parts of the world. -- In most cases you will want to start by deleting any existing file -`fmt.all` in the directory where your log files are kept. +- In most cases, start by deleting any existing file `fmt.all` in the +directory where your log files are kept. - To cycle automatically through your chosen list of calibration frequencies, check *Execute frequency calibration cycle* on the *Tools* menu. _WSJT-X_ will spend 30 seconds at each frequency. Initially no measurement data is saved to the `fmt.all` -file although it is displayed on screen, this allows you to check your +file although it is displayed on screen; this allows you to check your current calibration parameters. - During the calibration procedure, the radio's USB dial frequency is @@ -61,7 +63,7 @@ the nominal frequency itself (in MHz). For example, the 20 MHz measurement for WWV shown above produced a measured tone offset of 24.6 Hz, displayed in the _WSJT-X_ decoded text window. The resulting calibration constant is 24.6/20=1.23 parts per million. This number -may be entered as *Slope* on the *settings -> Frequencies* tab. +may be entered as *Slope* on the *File | Settings | Frequencies* tab. A more precise calibration can be effected by fitting the intercept and slope of a straight line to the whole sequence of calibration @@ -81,19 +83,19 @@ After running *Execute frequency calibration cycle* at least once with good results, check and edit the file `fmt.all` in the log directory and delete any spurious or outlier measurements. The line-fitting procedure can then be carried out automatically by clicking *Solve for -calibration parameters* on the *Tools* menu. The results will be +calibration parameters* on the *Tools* menu. The results are displayed as in the following screen shot. Estimated uncertainties are included for slope and intercept; `N` is the number of averaged frequency measurements included in the fit, and `StdDev` is the root mean square deviation of averaged measurements from the fitted -straight line. If the solution seems valid you will be offered an -*Apply* button to push that will automatically set the calibration -parameters in *Settings -> Frequencies -> Frequency Calibration*. +straight line. If the solution seems valid, you are offered an +*Apply* button to push that automatically sets the calibration +parameters in *File | Settings | Frequencies | Frequency Calibration*. image::FreqCal_Results.png[align="center",alt="FreqCal_Results"] For a quick visual check of the resulting calibration, stay in -*FreqCal* mode with the *Measure* option cleared. _WSJT-X_ will show +*FreqCal* mode with the *Measure* option cleared. _WSJT-X_ shows the adjusted results directly on the waterfall and the displayed records. @@ -103,8 +105,8 @@ _WSJT-X_ provides a tool that can be used to determine the detailed shape of your receiver's passband. Disconnect your antenna or tune to a quiet frequency with no signals. With _WSJT-X_ running in one of the slow modes, select *Measure reference spectrum* from the *Tools* -menu. Wait for about a minute and then hit the *Stop* button. A file -named `refspec.dat` will appear in your log directory. When you check +menu. Wait for about a minute and then click *Stop*. A file +named `refspec.dat` appears in your log directory. When you check *Ref Spec* on the *Wide Graph*, the recorded reference spectrum will then be used to flatten your overall effective passband. @@ -122,39 +124,39 @@ response* generates an undistorted audio waveform equal to the one generated by the transmitting station. Its Fourier transform is then used as a frequency-dependent phase reference to compare with the phase of the received frame's Fourier coefficients. Phase differences -between the reference spectrum and received spectrum will include +between the reference spectrum and received spectrum include contributions from the originating station's transmit filter, the propagation channel, and filters in the receiver. If the received frame originates from a station known to transmit signals having -little phase distortion (say, a station known to use a properly -adjusted software-defined-transceiver) and if the received signal is +little phase distortion (such as a station known to use a properly +adjusted software-defined transceiver), and if the received signal is relatively free from multipath distortion so that the channel phase is close to linear, the measured phase differences will be representative of the local receiver's phase response. Complete the following steps to generate a phase equalization curve: -- Record a number of wav files that contain decodable signals from -your chosen reference station. Best results will be obtained when the +- Record a number of `wav` files that contain decodable signals from +your chosen reference station. Best results are obtained when the signal-to-noise ratio of the reference signals is 10 dB or greater. - Enter the callsign of the reference station in the DX Call box. - Select *Measure phase response* from the *Tools* menu, and open each -of the wav files in turn. The mode character on decoded text lines -will change from `&` to `^` while _WSJT-X_ is measuring the phase -response, and it will change back to `&` after the measurement is +of the `wav` files in turn. The mode character on decoded text lines +changes from `&` to `^` while _WSJT-X_ is measuring the phase +response, and it changes back to `&` after the measurement is completed. The program needs to average a number of high-SNR frames to accurately estimate the phase, so it may be necessary to process -several wav files. The measurement can be aborted at any time by +several `wav` files. The measurement can be aborted at any time by selecting *Measure phase response* again to toggle the phase measurement off. + -When the measurement is complete _WSJT-X_ will save the measured +When the measurement is complete, _WSJT-X_ saves the measured phase response in the *Log directory*, in a file with suffix -".pcoeff". The filename will contain the callsign of the reference +".pcoeff". The filename contains the callsign of the reference station and a timestamp, for example `K0TPP_170923_112027.pcoeff`. - Select *Equalization tools ...* under the *Tools* menu and click the @@ -165,23 +167,23 @@ the proposed phase equalization curve. It's a good idea to repeat the phase measurement several times, using different wav files for each measurement, to ensure that your measurements are repeatable. -- Once you are satisfied with a fitted curve, push the *Apply* button -to save the proposed response. The red curve will be replaced with a +- Once you are satisfied with a fitted curve, click the *Apply* button +to save the proposed response. The red curve is replaced with a light green curve labeled "Current" to indicate that the phase equalization curve is now being applied to the received data. Another -curve labeled "Group Delay" will appear. The "Group Delay" curve shows +curve labeled "Group Delay" appears. The "Group Delay" curve shows the group delay variation across the passband, in ms. Click the *Discard Measured* button to remove the captured data from the plot, leaving only the applied phase equalization curve and corresponding group delay curve. -- To revert to no phase equalization, push the *Restore Defaults* +- To revert to no phase equalization, click the *Restore Defaults* button followed by the *Apply* button. The three numbers printed at the end of each MSK144 decode line can be used to assess the improvement provided by equalization. These numbers are: `N` = Number of frames averaged, `H` = Number of hard bit errors -corrected, `E` = Size of MSK eye diagram opening. +corrected, and `E` = Size of MSK eye diagram opening. Here is a decode of K0TPP obtained while *Measure phase response* was measuring the phase response: @@ -196,7 +198,7 @@ scale. Here's how the same decode looks after phase equalization: 103900 17 6.5 1493 & WA8CLT K0TPP +07 1 0 1.6 -In this case, equalization has increased the eye opening from 1.2 to +In this case, equalization has increased the eye-opening from 1.2 to 1.6. Larger positive eye openings are associated with reduced likelihood of bit errors and higher likelihood that a frame will be successfully decoded. In this case, the larger eye-opening tells us @@ -206,7 +208,7 @@ equalization curve is going to improve decoding of signals other than those from the reference station, K0TPP. It's a good idea to carry out before and after comparisons using a -large number of saved wav files with signals from many different +large number of saved `wav` files with signals from many different stations, to help decide whether your equalization curve improves decoding for most signals. When doing such comparisons, keep in mind that equalization may cause _WSJT-X_ to successfully decode a frame diff --git a/doc/user_guide/en/protocols.adoc b/doc/user_guide/en/protocols.adoc index d9a7d8ada..e22911266 100644 --- a/doc/user_guide/en/protocols.adoc +++ b/doc/user_guide/en/protocols.adoc @@ -1,3 +1,5 @@ +//status: edited + [[PROTOCOL_OVERVIEW]] === Overview @@ -30,17 +32,17 @@ of 4-digit Maidenhead grid locators on earth is 180×180 = 32,400, which is less than 2^15^ = 32,768; so a grid locator requires 15 bits. Some 6 million of the possible 28-bit values are not needed for -callsigns. A few of these slots have been assigned to special message +callsigns. A few of these slots are assigned to special message components such as `CQ`, `DE`, and `QRZ`. `CQ` may be followed by three digits to indicate a desired callback frequency. (If K1ABC transmits -on a standard calling frequency, say 50.280, and sends `CQ 290 K1ABC +on a standard calling frequency such as 50.280, and sends `CQ 290 K1ABC FN42`, it means that s/he will listen on 50.290 and respond there to any replies.) A numerical signal report of the form `–nn` or `R–nn` can be sent in place of a grid locator. (As originally defined, numerical signal reports `nn` were required to fall between -01 -and -30 dB. Program versions 2.3 and later accommodate reports between --50 and +50 dB.) A country prefix or portable suffix may be -attached to one of the callsigns. When this feature is used the +and -30 dB. Recent program versions 2.3 and later accommodate reports between +-50 and +49 dB.) A country prefix or portable suffix may be +attached to one of the callsigns. When this feature is used, the additional information is sent in place of the grid locator or by encoding additional information into some of the 6 million available slots mentioned above. @@ -147,7 +149,8 @@ following pseudo-random sequence: The synchronizing tone is normally sent in each interval having a "`1`" in the sequence. Modulation is 65-FSK at 11025/4096 = 2.692 baud. Frequency spacing between tones is equal to the keying rate for -JT65A, and 2 and 4 times larger for JT65B and JT65C. For EME QSOs the +JT65A, and 2 and 4 times larger for JT65B and JT65C, respectively. +For EME QSOs the signal report OOO is sometimes used instead of numerical signal reports. It is conveyed by reversing sync and data positions in the transmitted sequence. Shorthand messages for RO, RRR, and 73 dispense @@ -155,7 +158,7 @@ with the sync vector entirely and use time intervals of 16384/11025 = 1.486 s for pairs of alternating tones. The lower frequency is the same as that of the sync tone used in long messages, and the frequency separation is 110250/4096 = 26.92 Hz multiplied by n for JT65A, with n -= 2, 3, 4 used to convey the messages RO, RRR, and 73. += 2, 3, 4 used to convey the messages RO, RRR, and 73, respectively. [[QRA64_PROTOCOL]] ==== QRA64 @@ -225,7 +228,7 @@ the sync bit. [[SLOW_SUMMARY]] ==== Summary -Table 7 provides a brief summary parameters for the slow modes in +Table 7 provides a brief summary of parameters for the slow modes in _WSJT-X_. Parameters K and r specify the constraint length and rate of the convolutional codes; n and k specify the sizes of the (equivalent) block codes; Q is the alphabet size for the @@ -305,7 +308,7 @@ available character set is: Transmissions consist of sequences of 24 symbols: a synchronizing pattern of four symbols at tone numbers 0, 1, 3, and 2, followed by two symbols with tone number corresponding to (message length) and -(message length + 5), and finally 18 symbols conveying the user's +(message length + 5), and, finally, 18 symbols conveying the user's message, sent repeatedly character by character. The message always starts with `@`, the beginning-of-message symbol, which is not displayed to the user. The sync pattern and message-length indicator From bf06193c108616a3a271bad59b6b2aabb120145c Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Mon, 17 Aug 2020 14:12:08 -0500 Subject: [PATCH 14/59] Add timer call for bit metric calculation. Improve some comments. Make fort.21 ntype parameter more informative. --- lib/fst4/decode240_101.f90 | 2 +- lib/fst4/decode240_74.f90 | 2 +- lib/fst4/get_fst4_bitmetrics.f90 | 2 +- lib/fst4_decode.f90 | 8 +++++--- 4 files changed, 8 insertions(+), 6 deletions(-) diff --git a/lib/fst4/decode240_101.f90 b/lib/fst4/decode240_101.f90 index 80e42eeb0..e924f00ec 100644 --- a/lib/fst4/decode240_101.f90 +++ b/lib/fst4/decode240_101.f90 @@ -141,7 +141,7 @@ subroutine decode240_101(llr,Keff,maxosd,norder,apmask,message101,cw,ntype,nhard where(llr .ge. 0) hdec=1 nxor=ieor(hdec,cw) dmin=sum(nxor*abs(llr)) - ntype=2 + ntype=1+nosd return endif enddo diff --git a/lib/fst4/decode240_74.f90 b/lib/fst4/decode240_74.f90 index 3f8a6a952..224a2860d 100644 --- a/lib/fst4/decode240_74.f90 +++ b/lib/fst4/decode240_74.f90 @@ -141,7 +141,7 @@ subroutine decode240_74(llr,Keff,maxosd,norder,apmask,message74,cw,ntype,nharder where(llr .ge. 0) hdec=1 nxor=ieor(hdec,cw) dmin=sum(nxor*abs(llr)) - ntype=2 + ntype=1+nosd return endif enddo diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index 9cf1e2470..f248171f0 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -84,7 +84,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) endif bitmetrics=0.0 - do nseq=1,nmax !Try coherent sequences of 1, 2, and 4 symbols + do nseq=1,nmax !Try coherent sequences of 1,2,3,4 or 1,2,4,8 symbols if(nseq.eq.1) nsym=1 if(nseq.eq.2) nsym=2 if(nhicoh.eq.0) then diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index e56fa27a8..9a6683fe4 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -395,11 +395,13 @@ contains if(is0.lt.0) cycle cframe=c2(is0:is0+160*nss-1) bitmetrics=0 + call timer('bitmetrc',0) if(hmod.eq.1) then call get_fst4_bitmetrics(cframe,nss,hmod,nblock,nhicoh,bitmetrics,s4,badsync) else call get_fst4_bitmetrics2(cframe,nss,hmod,nblock,bitmetrics,s4,badsync) endif + call timer('bitmetrc',1) if(badsync) cycle hbits=0 @@ -410,7 +412,8 @@ contains ns4=count(hbits(229:244).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) ns5=count(hbits(305:320).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) nsync_qual=ns1+ns2+ns3+ns4+ns5 - if(nsync_qual.lt. 46) cycle !### Value ?? ### + + if(nsync_qual.lt. 46) cycle !### Value ?? ### scalefac=2.83 llra( 1: 60)=bitmetrics( 17: 76, 1) llra( 61:120)=bitmetrics( 93:152, 1) @@ -768,7 +771,7 @@ contains nnw=nint(48000.*nsps*2./fs) allocate (s(nnw)) - s=0. !Compute low-resloution power spectrum + s=0. !Compute low-resolution power spectrum do i=ina,inb ! noise analysis window includes signal analysis window j0=nint(i*df2/df1) do j=j0-ndh,j0+ndh @@ -785,7 +788,6 @@ contains enddo call pctile(s2(ina+hmod*3:inb-hmod*3),inb-ina+1-hmod*6,30,base) s2=s2/base !Normalize wrt noise level - ncand=0 candidates=0 if(ia.lt.3) ia=3 From 7cb5511ed091a26ccdf1a9662f0d3aa0d079b094 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Wed, 19 Aug 2020 09:20:48 -0500 Subject: [PATCH 15/59] Simplify some code in fst4_decode.f90 - no functional change. --- lib/fst4_decode.f90 | 49 +++++++++++++++++---------------------------- 1 file changed, 18 insertions(+), 31 deletions(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 9a6683fe4..6f3e36105 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -48,7 +48,7 @@ contains complex, allocatable :: c2(:) complex, allocatable :: cframe(:) complex, allocatable :: c_bigfft(:) !Complex waveform - real llr(240),llra(240),llrb(240),llrc(240),llrd(240) + real llr(240),llrs(240,4) real candidates(200,4) real bitmetrics(320,4) real s4(0:3,NN) @@ -415,28 +415,15 @@ contains if(nsync_qual.lt. 46) cycle !### Value ?? ### scalefac=2.83 - llra( 1: 60)=bitmetrics( 17: 76, 1) - llra( 61:120)=bitmetrics( 93:152, 1) - llra(121:180)=bitmetrics(169:228, 1) - llra(181:240)=bitmetrics(245:304, 1) - llra=scalefac*llra - llrb( 1: 60)=bitmetrics( 17: 76, 2) - llrb( 61:120)=bitmetrics( 93:152, 2) - llrb(121:180)=bitmetrics(169:228, 2) - llrb(181:240)=bitmetrics(245:304, 2) - llrb=scalefac*llrb - llrc( 1: 60)=bitmetrics( 17: 76, 3) - llrc( 61:120)=bitmetrics( 93:152, 3) - llrc(121:180)=bitmetrics(169:228, 3) - llrc(181:240)=bitmetrics(245:304, 3) - llrc=scalefac*llrc - llrd( 1: 60)=bitmetrics( 17: 76, 4) - llrd( 61:120)=bitmetrics( 93:152, 4) - llrd(121:180)=bitmetrics(169:228, 4) - llrd(181:240)=bitmetrics(245:304, 4) - llrd=scalefac*llrd + do il=1,4 + llrs( 1: 60,il)=bitmetrics( 17: 76, il) + llrs( 61:120,il)=bitmetrics( 93:152, il) + llrs(121:180,il)=bitmetrics(169:228, il) + llrs(181:240,il)=bitmetrics(245:304, il) + enddo + llrs=scalefac*llrs - apmag=maxval(abs(llra))*1.1 + apmag=maxval(abs(llrs(:,1)))*1.1 ntmax=nblock+nappasses(nQSOProgress) if(lapcqonly) ntmax=nblock+1 if(ndepth.eq.1) ntmax=nblock @@ -448,22 +435,22 @@ contains endif do itry=1,ntmax - if(itry.eq.1) llr=llra - if(itry.eq.2.and.itry.le.nblock) llr=llrb - if(itry.eq.3.and.itry.le.nblock) llr=llrc - if(itry.eq.4.and.itry.le.nblock) llr=llrd + if(itry.eq.1) llr=llrs(:,1) + if(itry.eq.2.and.itry.le.nblock) llr=llrs(:,2) + if(itry.eq.3.and.itry.le.nblock) llr=llrs(:,3) + if(itry.eq.4.and.itry.le.nblock) llr=llrs(:,4) if(itry.le.nblock) then apmask=0 iaptype=0 endif if(itry.gt.nblock) then - llr=llra + llr=llrs(:,1) if(nblock.gt.1) then - if(hmod.eq.1) llr=llrc - if(hmod.eq.2) llr=llra - if(hmod.eq.4) llr=llrb - if(hmod.eq.8) llr=llrc + if(hmod.eq.1) llr=llrs(:,3) + if(hmod.eq.2) llr=llrs(:,1) + if(hmod.eq.4) llr=llrs(:,2) + if(hmod.eq.8) llr=llrs(:,4) endif iaptype=naptypes(nQSOProgress,itry-nblock) if(lapcqonly) iaptype=1 From 782c779392bf9751c6b8ed213f5e2c721c0d64e1 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Wed, 19 Aug 2020 14:10:28 -0500 Subject: [PATCH 16/59] Reconfigure to optimize decoder for MF/LF (high coherence) channels. --- lib/fst4/get_fst4_bitmetrics.f90 | 2 +- lib/fst4_decode.f90 | 22 +++++++++------------- 2 files changed, 10 insertions(+), 14 deletions(-) diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index f248171f0..f224854e2 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -105,7 +105,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) csum=csum+cs(graymap(ntone),ks+j)*cterm cterm=cterm*conjg(cp(graymap(ntone))) enddo - s2(i)=abs(csum)**2 + s2(i)=abs(csum) enddo ipt=1+(ks-1)*2 if(nsym.eq.1) ibmax=1 diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 6f3e36105..448e699c3 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -275,12 +275,8 @@ contains fb=min(4800,nfb) endif - if(hmod.eq.1) then - if(ntrperiod.eq.15) minsync=1.15 - if(ntrperiod.gt.15) minsync=1.25 - elseif(hmod.gt.1) then - minsync=1.2 - endif + minsync=1.2 + if(ntrperiod.eq.15) minsync=1.15 ! Get first approximation of candidate frequencies call get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb, & @@ -788,13 +784,13 @@ contains iploc=ia+im(1)-1 !Index of CCF peak pval=s2(iploc) !Peak value if(pval.lt.minsync) exit -! do i=-3,+3 !Remove 0.9 of a model CCF at -! k=iploc+2*hmod*i !this frequency from s2() -! if(k.ge.ia .and. k.le.ib) then -! s2(k)=max(0.,s2(k)-0.9*pval*xdb(i)) -! endif -! enddo - s2(max(1,iploc-2*hmod*3):min(nnw,iploc+2*hmod*3))=0.0 + do i=-3,+3 !Remove 0.9 of a model CCF at + k=iploc+2*hmod*i !this frequency from s2() + if(k.ge.ia .and. k.le.ib) then + s2(k)=max(0.,s2(k)-0.9*pval*xdb(i)) + endif + enddo +! s2(max(1,iploc-2*hmod*3):min(nnw,iploc+2*hmod*3))=0.0 ncand=ncand+1 candidates(ncand,1)=df2*iploc !Candidate frequency candidates(ncand,2)=pval !Rough estimate of SNR From e02850ae5a9c1ce7ae394180c3624b2808043c9a Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Thu, 20 Aug 2020 09:48:32 -0500 Subject: [PATCH 17/59] Streamline fst4_decode. Add timer for downsampling. --- lib/decoder.f90 | 4 +- lib/fst4/get_fst4_bitmetrics.f90 | 19 ++++ lib/fst4_decode.f90 | 162 +++++++++++++------------------ 3 files changed, 88 insertions(+), 97 deletions(-) diff --git a/lib/decoder.f90 b/lib/decoder.f90 index 86725928d..e7b9ebfa2 100644 --- a/lib/decoder.f90 +++ b/lib/decoder.f90 @@ -196,7 +196,7 @@ subroutine multimode_decoder(ss,id2,params,nfsample) params%nQSOProgress,params%nfqso,params%nfa,params%nfb, & params%nsubmode,ndepth,params%ntr,params%nexp_decode, & params%ntol,params%emedelay, & - logical(params%lapcqonly),mycall,hiscall,params%nfsplit,iwspr) + logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) go to 800 endif @@ -210,7 +210,7 @@ subroutine multimode_decoder(ss,id2,params,nfsample) params%nQSOProgress,params%nfqso,params%nfa,params%nfb, & params%nsubmode,ndepth,params%ntr,params%nexp_decode, & params%ntol,params%emedelay, & - logical(params%lapcqonly),mycall,hiscall,params%nfsplit,iwspr) + logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) go to 800 endif diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index f224854e2..f34cb9322 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -11,6 +11,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) integer graymap(0:3) integer ip(1) integer hmod + integer hbits(2*NN) logical one(0:65535,0:15) ! 65536 8-symbol sequences, 16 bits logical first logical badsync @@ -122,10 +123,28 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) enddo enddo + hbits=0 + where(bitmetrics(:,1).ge.0) hbits=1 + ns1=count(hbits( 1: 16).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) + ns2=count(hbits( 77: 92).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) + ns3=count(hbits(153:168).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) + ns4=count(hbits(229:244).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) + ns5=count(hbits(305:320).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) + nsync_qual=ns1+ns2+ns3+ns4+ns5 + + if(nsync_qual.lt. 46) then + badsync=.true. + return + endif + call normalizebmet(bitmetrics(:,1),2*NN) call normalizebmet(bitmetrics(:,2),2*NN) call normalizebmet(bitmetrics(:,3),2*NN) call normalizebmet(bitmetrics(:,4),2*NN) + + scalefac=2.83 + bitmetrics=scalefac*bitmetrics + return end subroutine get_fst4_bitmetrics diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 448e699c3..8a116bbbf 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -31,7 +31,7 @@ contains subroutine decode(this,callback,iwave,nutc,nQSOProgress,nfqso, & nfa,nfb,nsubmode,ndepth,ntrperiod,nexp_decode,ntol, & - emedelay,lapcqonly,mycall,hiscall,nfsplit,iwspr) + emedelay,lapcqonly,mycall,hiscall,iwspr) use timer_module, only: timer use packjt77 @@ -252,29 +252,10 @@ contains call four2a(c_bigfft,nfft1,1,-1,0) !r2c ! call blank2(nfa,nfb,nfft1,c_bigfft,iwave) - nhicoh=0 - if(hmod.eq.1) then - if(fMHz.lt.2.0) then - nsyncoh=8 ! Use N=8 for sync - nhicoh=1 ! Use N=1,2,4,8 for symbol estimation - else - nsyncoh=4 ! Use N=4 for sync - nhicoh=0 ! Use N=1,2,3,4 for symbol estimation - endif - else - if(hmod.eq.2) nsyncoh=1 - if(hmod.eq.4) nsyncoh=-2 - if(hmod.eq.8) nsyncoh=-4 - endif - - if( single_decode ) then - fa=max(100,nint(nfqso+1.5*hmod*baud-ntol)) - fb=min(4800,nint(nfqso+1.5*hmod*baud+ntol)) - else - fa=max(100,nfa) - fb=min(4800,nfb) - endif - + nhicoh=1 + nsyncoh=8 + fa=max(100,nint(nfqso+1.5*hmod*baud-ntol)) + fb=min(4800,nint(nfqso+1.5*hmod*baud+ntol)) minsync=1.2 if(ntrperiod.eq.15) minsync=1.15 @@ -296,54 +277,15 @@ contains ! Output array c2 is complex baseband sampled at 12000/ndown Sa/sec. ! The size of the downsampled c2 array is nfft2=nfft1/ndown + call timer('dwnsmpl ',0) call fst4_downsample(c_bigfft,nfft1,ndown,fc0,sigbw,c2) + call timer('dwnsmpl ',1) call timer('sync240 ',0) - fc1=0.0 - if(emedelay.lt.0.1) then ! search offsets from 0 s to 2 s - is0=1.5*nspsec - ishw=1.5*nspsec - else ! search plus or minus 1.5 s centered on emedelay - is0=nint((emedelay+1.0)*nspsec) - ishw=1.5*nspsec - endif - - smax=-1.e30 - do if=-12,12 - fc=fc1 + 0.1*baud*if - do istart=max(1,is0-ishw),is0+ishw,4*hmod - call sync_fst4(c2,istart,fc,hmod,nsyncoh,nfft2,nss, & - ntrperiod,fs2,sync) - if(sync.gt.smax) then - fc2=fc - isbest=istart - smax=sync - endif - enddo - enddo - - fc1=fc2 - is0=isbest - ishw=4*hmod - isst=1*hmod - - smax=0.0 - do if=-7,7 - fc=fc1 + 0.02*baud*if - do istart=max(1,is0-ishw),is0+ishw,isst - call sync_fst4(c2,istart,fc,hmod,nsyncoh,nfft2,nss, & - ntrperiod,fs2,sync) - if(sync.gt.smax) then - fc2=fc - isbest=istart - smax=sync - endif - enddo - enddo - + call fst4_sync_search(c2,nfft2,hmod,fs2,nss,ntrperiod,nsyncoh,emedelay,sbest,fcbest,isbest) call timer('sync240 ',1) - fc_synced = fc0 + fc2 + fc_synced = fc0 + fcbest dt_synced = (isbest-fs2)*dt2 !nominal dt is 1 second so frame starts at sample fs2 candidates(icand,3)=fc_synced candidates(icand,4)=isbest @@ -382,7 +324,11 @@ contains isbest=nint(candidates(icand,4)) xdt=(isbest-nspsec)/fs2 if(ntrperiod.eq.15) xdt=(isbest-real(nspsec)/2.0)/fs2 + + call timer('dwnsmpl ',0) call fst4_downsample(c_bigfft,nfft1,ndown,fc_synced,sigbw,c2) + call timer('dwnsmpl ',1) + do ijitter=0,jittermax if(ijitter.eq.0) ioffset=0 if(ijitter.eq.1) ioffset=1 @@ -392,32 +338,16 @@ contains cframe=c2(is0:is0+160*nss-1) bitmetrics=0 call timer('bitmetrc',0) - if(hmod.eq.1) then - call get_fst4_bitmetrics(cframe,nss,hmod,nblock,nhicoh,bitmetrics,s4,badsync) - else - call get_fst4_bitmetrics2(cframe,nss,hmod,nblock,bitmetrics,s4,badsync) - endif + call get_fst4_bitmetrics(cframe,nss,hmod,nblock,nhicoh,bitmetrics,s4,badsync) call timer('bitmetrc',1) if(badsync) cycle - hbits=0 - where(bitmetrics(:,1).ge.0) hbits=1 - ns1=count(hbits( 1: 16).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) - ns2=count(hbits( 77: 92).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) - ns3=count(hbits(153:168).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) - ns4=count(hbits(229:244).eq.(/1,1,1,0,0,1,0,0,1,0,1,1,0,0,0,1/)) - ns5=count(hbits(305:320).eq.(/0,0,0,1,1,0,1,1,0,1,0,0,1,1,1,0/)) - nsync_qual=ns1+ns2+ns3+ns4+ns5 - - if(nsync_qual.lt. 46) cycle !### Value ?? ### - scalefac=2.83 do il=1,4 llrs( 1: 60,il)=bitmetrics( 17: 76, il) llrs( 61:120,il)=bitmetrics( 93:152, il) llrs(121:180,il)=bitmetrics(169:228, il) llrs(181:240,il)=bitmetrics(245:304, il) enddo - llrs=scalefac*llrs apmag=maxval(abs(llrs(:,1)))*1.1 ntmax=nblock+nappasses(nQSOProgress) @@ -440,14 +370,8 @@ contains iaptype=0 endif - if(itry.gt.nblock) then - llr=llrs(:,1) - if(nblock.gt.1) then - if(hmod.eq.1) llr=llrs(:,3) - if(hmod.eq.2) llr=llrs(:,1) - if(hmod.eq.4) llr=llrs(:,2) - if(hmod.eq.8) llr=llrs(:,4) - endif + if(itry.gt.nblock) then ! do ap passes + llr=llrs(:,nblock) ! Use largest blocksize as the basis for AP passes iaptype=naptypes(nQSOProgress,itry-nblock) if(lapcqonly) iaptype=1 if(iaptype.ge.2 .and. apbits(1).gt.1) cycle ! No, or nonstandard, mycall @@ -486,7 +410,7 @@ contains if(iwspr.eq.0) then maxosd=2 Keff=91 - norder=3 + norder=4 call timer('d240_101',0) call decode240_101(llr,Keff,maxosd,norder,apmask,message101, & cw,ntype,nharderrors,dmin) @@ -556,8 +480,8 @@ contains fsig=fc_synced - 1.5*hmod*baud if(ex) then write(21,3021) nutc,icand,itry,nsyncoh,iaptype, & - ijitter,ntype,nsync_qual,nharderrors,dmin, & - sync,xsnr,xdt,fsig,w50,trim(msg) + ijitter,ntype,nsync_qual,nharderrors,dmin, & + sync,xsnr,xdt,fsig,w50,trim(msg) 3021 format(i6.6,6i3,2i4,f6.1,f7.2,f6.1,f6.2,f7.1,f7.3,1x,a) flush(21) endif @@ -799,6 +723,54 @@ contains return end subroutine get_candidates_fst4 + subroutine fst4_sync_search(c2,nfft2,hmod,fs2,nss,ntrperiod,nsyncoh,emedelay,sbest,fcbest,isbest) + complex c2(0:nfft2-1) + integer hmod + nspsec=int(fs2) + baud=fs2/real(nss) + fc1=0.0 + if(emedelay.lt.0.1) then ! search offsets from 0 s to 2 s + is0=1.5*nspsec + ishw=1.5*nspsec + else ! search plus or minus 1.5 s centered on emedelay + is0=nint((emedelay+1.0)*nspsec) + ishw=1.5*nspsec + endif + + sbest=-1.e30 + do if=-12,12 + fc=fc1 + 0.1*baud*if + do istart=max(1,is0-ishw),is0+ishw,4*hmod + call sync_fst4(c2,istart,fc,hmod,nsyncoh,nfft2,nss, & + ntrperiod,fs2,sync) + if(sync.gt.sbest) then + fcbest=fc + isbest=istart + sbest=sync + endif + enddo + enddo + + fc1=fcbest + is0=isbest + ishw=4*hmod + isst=1*hmod + + sbest=0.0 + do if=-7,7 + fc=fc1 + 0.02*baud*if + do istart=max(1,is0-ishw),is0+ishw,isst + call sync_fst4(c2,istart,fc,hmod,nsyncoh,nfft2,nss, & + ntrperiod,fs2,sync) + if(sync.gt.sbest) then + fcbest=fc + isbest=istart + sbest=sync + endif + enddo + enddo + end subroutine fst4_sync_search + subroutine dopspread(itone,iwave,nsps,nmax,ndown,hmod,i0,fc,fmid,w50) ! On "plotspec" special request, compute Doppler spread for a decoded signal From b9328b96c93dff44d43a78c89293bcdeba6c6d2b Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Fri, 21 Aug 2020 09:18:59 -0500 Subject: [PATCH 18/59] Tweaks to update the diagnostics that are written to fort.21. --- lib/fst4/decode240_101.f90 | 3 ++- lib/fst4/decode240_74.f90 | 3 ++- lib/fst4/get_fst4_bitmetrics.f90 | 2 +- 3 files changed, 5 insertions(+), 3 deletions(-) diff --git a/lib/fst4/decode240_101.f90 b/lib/fst4/decode240_101.f90 index e924f00ec..4271a464c 100644 --- a/lib/fst4/decode240_101.f90 +++ b/lib/fst4/decode240_101.f90 @@ -140,8 +140,9 @@ subroutine decode240_101(llr,Keff,maxosd,norder,apmask,message101,cw,ntype,nhard hdec=0 where(llr .ge. 0) hdec=1 nxor=ieor(hdec,cw) + nharderror=sum(nxor) ! re-calculate nharderror based on input llrs dmin=sum(nxor*abs(llr)) - ntype=1+nosd + ntype=1+i return endif enddo diff --git a/lib/fst4/decode240_74.f90 b/lib/fst4/decode240_74.f90 index 224a2860d..be18f6e09 100644 --- a/lib/fst4/decode240_74.f90 +++ b/lib/fst4/decode240_74.f90 @@ -140,8 +140,9 @@ subroutine decode240_74(llr,Keff,maxosd,norder,apmask,message74,cw,ntype,nharder hdec=0 where(llr .ge. 0) hdec=1 nxor=ieor(hdec,cw) + nharderror=sum(nxor) ! nharderror based on input llrs dmin=sum(nxor*abs(llr)) - ntype=1+nosd + ntype=1+i return endif enddo diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index f34cb9322..e245db18c 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -1,4 +1,4 @@ -subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,badsync) +subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,nsync_qual,badsync) include 'fst4_params.f90' complex cd(0:NN*nss-1) From ecaca6af9f0f873c87ddd3421457a7ee6691e284 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Sat, 22 Aug 2020 09:42:34 -0500 Subject: [PATCH 19/59] Fix argument list in call to fet_fst4_bitmetrics.f90 --- lib/fst4_decode.f90 | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 8a116bbbf..444553618 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -338,7 +338,8 @@ contains cframe=c2(is0:is0+160*nss-1) bitmetrics=0 call timer('bitmetrc',0) - call get_fst4_bitmetrics(cframe,nss,hmod,nblock,nhicoh,bitmetrics,s4,badsync) + call get_fst4_bitmetrics(cframe,nss,hmod,nblock,nhicoh,bitmetrics, & + s4,nsync_qual,badsync) call timer('bitmetrc',1) if(badsync) cycle From d82b9f5b0e10e9cef76e3d823cf5b9f1244e52a0 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Mon, 24 Aug 2020 10:17:45 -0500 Subject: [PATCH 20/59] Speed up decoder by eliminating some complex multiples in sequence detection loop. Add timer calls for doppler spread calculation and sequence detection loop. --- lib/fst4/get_fst4_bitmetrics.f90 | 13 ++++++++++--- lib/fst4_decode.f90 | 2 ++ 2 files changed, 12 insertions(+), 3 deletions(-) diff --git a/lib/fst4/get_fst4_bitmetrics.f90 b/lib/fst4/get_fst4_bitmetrics.f90 index e245db18c..69a649a04 100644 --- a/lib/fst4/get_fst4_bitmetrics.f90 +++ b/lib/fst4/get_fst4_bitmetrics.f90 @@ -1,5 +1,6 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,nsync_qual,badsync) + use timer_module, only: timer include 'fst4_params.f90' complex cd(0:NN*nss-1) complex cs(0:3,NN) @@ -84,6 +85,8 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,nsync_qual, return endif + + call timer('seqcorrs',0) bitmetrics=0.0 do nseq=1,nmax !Try coherent sequences of 1,2,3,4 or 1,2,4,8 symbols if(nseq.eq.1) nsym=1 @@ -100,11 +103,14 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,nsync_qual, s2=0 do i=0,nt-1 csum=0 - cterm=1 +! cterm=1 ! hmod.ne.1 + term=1 do j=0,nsym-1 ntone=mod(i/4**(nsym-1-j),4) - csum=csum+cs(graymap(ntone),ks+j)*cterm - cterm=cterm*conjg(cp(graymap(ntone))) + csum=csum+cs(graymap(ntone),ks+j)*term + term=-term +! csum=csum+cs(graymap(ntone),ks+j)*cterm ! hmod.ne.1 +! cterm=cterm*conjg(cp(graymap(ntone))) ! hmod.ne.1 enddo s2(i)=abs(csum) enddo @@ -122,6 +128,7 @@ subroutine get_fst4_bitmetrics(cd,nss,hmod,nmax,nhicoh,bitmetrics,s4,nsync_qual, enddo enddo enddo + call timer('seqcorrs',1) hbits=0 where(bitmetrics(:,1).ge.0) hbits=1 diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 444553618..efe6a3798 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -455,10 +455,12 @@ contains endif inquire(file='plotspec',exist=ex) fmid=-999.0 + call timer('dopsprd ',0) if(ex) then call dopspread(itone,iwave,nsps,nmax,ndown,hmod, & isbest,fc_synced,fmid,w50) endif + call timer('dopsprd ',1) xsig=0 do i=1,NN xsig=xsig+s4(itone(i),i) From 5ca81a6507618adab704fbec6c16d406ef4b993f Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Fri, 28 Aug 2020 09:22:22 -0500 Subject: [PATCH 21/59] Use 3rd order polynomial fit to estimate the noise baseline. The polynomial fit is done over 400 Hz bandwidth for T/R periods longer than 15s, and over approx. 600 Hz (10 times the signal bandwidth) for T/R period of 15s. --- CMakeLists.txt | 1 + lib/fst4/fst4_baseline.f90 | 48 ++++++++++++++++++++++++++++++++++++++ lib/fst4_decode.f90 | 48 +++++++++++++++++++++++--------------- 3 files changed, 78 insertions(+), 19 deletions(-) create mode 100644 lib/fst4/fst4_baseline.f90 diff --git a/CMakeLists.txt b/CMakeLists.txt index 01ec7727e..a2a31b388 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -618,6 +618,7 @@ set (wsjt_FSRCS lib/fst4/osd240_101.f90 lib/fst4/osd240_74.f90 lib/fst4/get_crc24.f90 + lib/fst4/fst4_baseline.f90 ) # temporary workaround for a gfortran v7.3 ICE on Fedora 27 64-bit diff --git a/lib/fst4/fst4_baseline.f90 b/lib/fst4/fst4_baseline.f90 new file mode 100644 index 000000000..32776651a --- /dev/null +++ b/lib/fst4/fst4_baseline.f90 @@ -0,0 +1,48 @@ +subroutine fst4_baseline(s,np,ia,ib,npct,sbase) + +! Fit baseline to spectrum (for FST4) +! Input: s(npts) Linear scale in power +! Output: sbase(npts) Baseline + + implicit real*8 (a-h,o-z) + real*4 s(np),sw(np) + real*4 sbase(np) + real*4 base + real*8 x(1000),y(1000),a(5) + data nseg/8/ + + do i=ia,ib + sw(i)=10.0*log10(s(i)) !Convert to dB scale + enddo + + nterms=3 + nlen=(ib-ia+1)/nseg !Length of test segment + i0=(ib-ia+1)/2 !Midpoint + k=0 + do n=1,nseg !Loop over all segments + ja=ia + (n-1)*nlen + jb=ja+nlen-1 + call pctile(sw(ja),nlen,npct,base) !Find lowest npct of points + do i=ja,jb + if(sw(i).le.base) then + if (k.lt.1000) k=k+1 !Save all "lower envelope" points + x(k)=i-i0 + y(k)=sw(i) + endif + enddo + enddo + kz=k + a=0. + call polyfit(x,y,y,kz,nterms,0,a,chisqr) !Fit a low-order polynomial + sbase=0.0 + do i=ia,ib + t=i-i0 + sbase(i)=a(1)+t*(a(2)+t*(a(3))) + 0.2 +! write(51,3051) i,sw(i),sbase(i) +!3051 format(i8,2f12.3) + enddo + + sbase=10**(sbase/10.0) + + return +end subroutine fst4_baseline diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index efe6a3798..d609df115 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -49,7 +49,7 @@ contains complex, allocatable :: cframe(:) complex, allocatable :: c_bigfft(:) !Complex waveform real llr(240),llrs(240,4) - real candidates(200,4) + real candidates(200,5) real bitmetrics(320,4) real s4(0:3,NN) real minsync @@ -254,14 +254,19 @@ contains nhicoh=1 nsyncoh=8 - fa=max(100,nint(nfqso+1.5*hmod*baud-ntol)) - fb=min(4800,nint(nfqso+1.5*hmod*baud+ntol)) - minsync=1.2 + if(iwspr.eq.1) then + fa=1400.0 + fb=1600.0 + else + fa=max(100,nint(nfqso+1.5*hmod*baud-ntol)) + fb=min(4800,nint(nfqso+1.5*hmod*baud+ntol)) + endif + minsync=1.20 if(ntrperiod.eq.15) minsync=1.15 ! Get first approximation of candidate frequencies call get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb, & - minsync,ncand,candidates,base) + minsync,ncand,candidates) ndecodes=0 decodes=' ' @@ -317,7 +322,7 @@ contains enddo ncand=ic xsnr=0. - +!write(*,*) 'ncand ',ncand do icand=1,ncand sync=candidates(icand,2) fc_synced=candidates(icand,3) @@ -465,6 +470,7 @@ contains do i=1,NN xsig=xsig+s4(itone(i),i) enddo + base=candidates(icand,5) arg=600.0*(xsig/base)-1.0 if(arg.gt.0.0) then xsnr=10*log10(arg)-35.5-12.5*log10(nsps/8200.0) @@ -645,14 +651,15 @@ contains end subroutine fst4_downsample subroutine get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb, & - minsync,ncand,candidates,base) + minsync,ncand,candidates) complex c_bigfft(0:nfft1/2) !Full length FFT of raw data integer hmod !Modulation index (submode) integer im(1) !For maxloc - real candidates(200,4) !Candidate list + real candidates(200,5) !Candidate list real, allocatable :: s(:) !Low resolution power spectrum real, allocatable :: s2(:) !CCF of s() with 4 tones + real, allocatable :: sbase(:) !noise baseline estimate real xdb(-3:3) !Model 4-tone CCF peaks real minsync data xdb/0.25,0.50,0.75,1.0,0.75,0.50,0.25/ @@ -668,17 +675,17 @@ contains signal_bw=4*(12000.0/nsps)*hmod analysis_bw=min(4800.0,fb)-max(100.0,fa) xnoise_bw=10.0*signal_bw !Is this a good compromise? - if(analysis_bw.gt.xnoise_bw) then - ina=ia - inb=ib - else - fcenter=(fa+fb)/2.0 !If noise_bw > analysis_bw, - fl = max(100.0,fcenter-xnoise_bw/2.)/df2 !we'll search over noise_bw + if(xnoise_bw .lt. 400.0) xnoise_bw=400.0 + if(analysis_bw.gt.xnoise_bw) then !Estimate noise baseline over analysis bw + ina=0.9*ia + inb=min(int(1.1*ib),nfft1/2) + else !Estimate noise baseline over noise bw + fcenter=(fa+fb)/2.0 + fl = max(100.0,fcenter-xnoise_bw/2.)/df2 fh = min(4800.0,fcenter+xnoise_bw/2.)/df2 ina=nint(fl) inb=nint(fh) endif - nnw=nint(48000.*nsps*2./fs) allocate (s(nnw)) s=0. !Compute low-resolution power spectrum @@ -692,12 +699,16 @@ contains ina=max(ina,1+3*hmod) !Don't run off the ends inb=min(inb,nnw-3*hmod) allocate (s2(nnw)) + allocate (sbase(nnw)) s2=0. do i=ina,inb !Compute CCF of s() and 4 tones s2(i)=s(i-hmod*3) + s(i-hmod) +s(i+hmod) +s(i+hmod*3) enddo - call pctile(s2(ina+hmod*3:inb-hmod*3),inb-ina+1-hmod*6,30,base) - s2=s2/base !Normalize wrt noise level + npct=30 + call fst4_baseline(s2,nnw,ina+hmod*3,inb-hmod*3,npct,sbase) + if(any(sbase(ina:inb).le.0.0)) return + s2(ina:inb)=s2(ina:inb)/sbase(ina:inb) !Normalize wrt noise level + ncand=0 candidates=0 if(ia.lt.3) ia=3 @@ -717,12 +728,11 @@ contains s2(k)=max(0.,s2(k)-0.9*pval*xdb(i)) endif enddo -! s2(max(1,iploc-2*hmod*3):min(nnw,iploc+2*hmod*3))=0.0 ncand=ncand+1 candidates(ncand,1)=df2*iploc !Candidate frequency candidates(ncand,2)=pval !Rough estimate of SNR + candidates(ncand,5)=sbase(iploc) enddo - return end subroutine get_candidates_fst4 From f0669360438687f21b20189bc752b7675953d5fb Mon Sep 17 00:00:00 2001 From: K9AN Date: Fri, 28 Aug 2020 12:25:17 -0500 Subject: [PATCH 22/59] Remove an unused variable from fst4_decode --- lib/fst4_decode.f90 | 1 - 1 file changed, 1 deletion(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index d609df115..a3c2e2a98 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -57,7 +57,6 @@ contains integer itone(NN) integer hmod integer*1 apmask(240),cw(240) - integer*1 hbits(320) integer*1 message101(101),message74(74),message77(77) integer*1 rvec(77) integer apbits(240) From b5392486248324a2fd5d4691b61a3f7d25ca35a0 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 1 Sep 2020 17:31:44 +0100 Subject: [PATCH 23/59] Remove some diagnostic prints --- Configuration.cpp | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/Configuration.cpp b/Configuration.cpp index 1f94b83e8..43c0e77de 100644 --- a/Configuration.cpp +++ b/Configuration.cpp @@ -901,7 +901,7 @@ auto Configuration::special_op_id () const -> SpecialOperatingActivity void Configuration::set_location (QString const& grid_descriptor) { // change the dynamic grid - qDebug () << "Configuration::set_location - location:" << grid_descriptor; + // qDebug () << "Configuration::set_location - location:" << grid_descriptor; m_->dynamic_grid_ = grid_descriptor.trimmed (); } @@ -2610,7 +2610,7 @@ void Configuration::impl::transceiver_frequency (Frequency f) current_offset_ = stations_.offset (f); cached_rig_state_.frequency (apply_calibration (f + current_offset_)); - qDebug () << "Configuration::impl::transceiver_frequency: n:" << transceiver_command_number_ + 1 << "f:" << f; + // qDebug () << "Configuration::impl::transceiver_frequency: n:" << transceiver_command_number_ + 1 << "f:" << f; Q_EMIT set_transceiver (cached_rig_state_, ++transceiver_command_number_); } @@ -2636,7 +2636,7 @@ void Configuration::impl::transceiver_tx_frequency (Frequency f) cached_rig_state_.tx_frequency (apply_calibration (f + current_tx_offset_)); } - qDebug () << "Configuration::impl::transceiver_tx_frequency: n:" << transceiver_command_number_ + 1 << "f:" << f; + // qDebug () << "Configuration::impl::transceiver_tx_frequency: n:" << transceiver_command_number_ + 1 << "f:" << f; Q_EMIT set_transceiver (cached_rig_state_, ++transceiver_command_number_); } } @@ -2645,7 +2645,7 @@ void Configuration::impl::transceiver_mode (MODE m) { cached_rig_state_.online (true); // we want the rig online cached_rig_state_.mode (m); - qDebug () << "Configuration::impl::transceiver_mode: n:" << transceiver_command_number_ + 1 << "m:" << m; + // qDebug () << "Configuration::impl::transceiver_mode: n:" << transceiver_command_number_ + 1 << "m:" << m; Q_EMIT set_transceiver (cached_rig_state_, ++transceiver_command_number_); } @@ -2654,7 +2654,7 @@ void Configuration::impl::transceiver_ptt (bool on) cached_rig_state_.online (true); // we want the rig online set_cached_mode (); cached_rig_state_.ptt (on); - qDebug () << "Configuration::impl::transceiver_ptt: n:" << transceiver_command_number_ + 1 << "on:" << on; + // qDebug () << "Configuration::impl::transceiver_ptt: n:" << transceiver_command_number_ + 1 << "on:" << on; Q_EMIT set_transceiver (cached_rig_state_, ++transceiver_command_number_); } From a00473fa9c234bafc0be3bee553ebcd7bbeb9650 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 1 Sep 2020 17:32:22 +0100 Subject: [PATCH 24/59] Select band by wavelength only if a working frequency is available --- validators/LiveFrequencyValidator.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/validators/LiveFrequencyValidator.cpp b/validators/LiveFrequencyValidator.cpp index 6d2205807..873224920 100644 --- a/validators/LiveFrequencyValidator.cpp +++ b/validators/LiveFrequencyValidator.cpp @@ -54,7 +54,7 @@ void LiveFrequencyValidator::fixup (QString& input) const input = input.toLower (); QVector frequencies; - for (auto const& item : frequencies_->frequency_list ()) + for (auto const& item : *frequencies_) { if (bands_->find (item.frequency_) == input) { From a623ed0baf8db9534414162ae5bc84e1cc7776a0 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Wed, 2 Sep 2020 21:08:25 +0100 Subject: [PATCH 25/59] Ensure band/frequency combo box edit shows correct band --- widgets/mainwindow.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index fca346bb5..00d34a4c2 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -6621,8 +6621,8 @@ void MainWindow::switch_mode (Mode mode) m_fastGraph->setMode(m_mode); m_config.frequencies ()->filter (m_config.region (), mode); auto const& row = m_config.frequencies ()->best_working_frequency (m_freqNominal); + ui->bandComboBox->setCurrentIndex (row); if (row >= 0) { - ui->bandComboBox->setCurrentIndex (row); on_bandComboBox_activated (row); } ui->rptSpinBox->setSingleStep(1); From c5349f8da9f03081e1cd6bdae1ac169b7c80101f Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Wed, 2 Sep 2020 21:25:58 +0100 Subject: [PATCH 26/59] Dynamic update of on DX echo Doppler shift correction Tnx Bob, KA1GT, and Charlie, G3WDG. --- widgets/astro.cpp | 83 ++++++++++++++++++++++------------------------- widgets/astro.h | 4 +-- 2 files changed, 41 insertions(+), 46 deletions(-) diff --git a/widgets/astro.cpp b/widgets/astro.cpp index 4a07c4866..cf4a05274 100644 --- a/widgets/astro.cpp +++ b/widgets/astro.cpp @@ -42,7 +42,7 @@ Astro::Astro(QSettings * settings, Configuration const * configuration, QWidget , m_DopplerMethod {0} , m_dop {0} , m_dop00 {0} - , m_dx_two_way_dop {0} + //, m_dx_two_way_dop {0} { ui_->setupUi (this); setWindowTitle (QApplication::applicationName () + " - " + tr ("Astronomical Data")); @@ -77,8 +77,8 @@ void Astro::read_settings () case 1: ui_->rbFullTrack->setChecked (true); break; case 2: ui_->rbConstFreqOnMoon->setChecked (true); break; case 3: ui_->rbOwnEcho->setChecked (true); break; - case 4: ui_->rbOnDxEcho->setChecked (true); break; - case 5: ui_->rbCallDx->setChecked (true); break; + case 4: ui_->rbOnDxEcho->setChecked (true); break; + case 5: ui_->rbCallDx->setChecked (true); break; } move (settings_->value ("window/pos", pos ()).toPoint ()); } @@ -168,38 +168,35 @@ auto Astro::astroUpdate(QDateTime const& t, QString const& mygrid, QString const switch (m_DopplerMethod) { case 1: // All Doppler correction done here; DX station stays at nominal dial frequency. - correction.rx = m_dop; - break; - case 4: // All Doppler correction done here; DX station stays at nominal dial frequency. (Trial for OnDxEcho) - correction.rx = m_dop; - break; - //case 5: // All Doppler correction done here; DX station stays at nominal dial frequency. - + correction.rx = m_dop; + break; + case 4: // All Doppler correction done here; DX station stays at nominal dial frequency. (Trial for OnDxEcho) + correction.rx = m_dop; + break; + //case 5: // All Doppler correction done here; DX station stays at nominal dial frequency. case 3: // Both stations do full correction on Rx and none on Tx //correction.rx = dx_is_self ? m_dop00 : m_dop; - correction.rx = m_dop00; // Now always sets RX to *own* echo freq + correction.rx = m_dop00; // Now always sets RX to *own* echo freq break; - case 2: + case 2: // Doppler correction to constant frequency on Moon correction.rx = m_dop00 / 2; break; - } switch (m_DopplerMethod) { - case 1: correction.tx = -correction.rx; - break; - case 2: correction.tx = -correction.rx; - break; - case 3: correction.tx = 0; - break; - case 4: // correction.tx = m_dop - m_dop00; - - correction.tx = m_dx_two_way_dop - m_dop; - qDebug () << "correction.tx:" << correction.tx; - break; - case 5: correction.tx = - m_dop00; - break; + case 1: correction.tx = -correction.rx; + break; + case 2: correction.tx = -correction.rx; + break; + case 3: correction.tx = 0; + break; + case 4: // correction.tx = m_dop - m_dop00; + correction.tx = (2 * (m_dop - (m_dop00/2))) - m_dop; + //qDebug () << "correction.tx:" << correction.tx; + break; + case 5: correction.tx = - m_dop00; + break; } //if (3 != m_DopplerMethod || 4 != m_DopplerMethod) correction.tx = -correction.rx; @@ -242,22 +239,20 @@ auto Astro::astroUpdate(QDateTime const& t, QString const& mygrid, QString const case 2: // Doppler correction to constant frequency on Moon - offset = m_dop00 / 2; - break; - - case 4: - // Doppler correction for OnDxEcho - offset = m_dop - m_dx_two_way_dop; + offset = m_dop00 / 2; + break; + + case 4: + // Doppler correction for OnDxEcho + offset = m_dop - (2 * (m_dop - (m_dop00/2))); + break; + + //case 5: correction.tx = - m_dop00; + case 5: offset = m_dop00;// version for _7 break; - - //case 5: correction.tx = - m_dop00; - case 5: offset = m_dop00;// version for _7 - break; - - } correction.tx = -offset; - qDebug () << "correction.tx (no tx qsy):" << correction.tx; + //qDebug () << "correction.tx (no tx qsy):" << correction.tx; } } return correction; @@ -281,14 +276,14 @@ void Astro::on_rbFullTrack_clicked() Q_EMIT tracking_update (); } -void Astro::on_rbOnDxEcho_clicked(bool checked) +void Astro::on_rbOnDxEcho_clicked() //on_rbOnDxEcho_clicked(bool checked) { m_DopplerMethod = 4; check_split (); - if (checked) { - m_dx_two_way_dop = 2 * (m_dop - (m_dop00/2)); - qDebug () << "Starting Doppler:" << m_dx_two_way_dop; - } + //if (checked) { + // m_dx_two_way_dop = 2 * (m_dop - (m_dop00/2)); + // qDebug () << "Starting Doppler:" << m_dx_two_way_dop; + //} Q_EMIT tracking_update (); } diff --git a/widgets/astro.h b/widgets/astro.h index 4f7f71d5b..937c11494 100644 --- a/widgets/astro.h +++ b/widgets/astro.h @@ -59,7 +59,7 @@ private slots: void on_rbFullTrack_clicked(); void on_rbOwnEcho_clicked(); void on_rbNoDoppler_clicked(); - void on_rbOnDxEcho_clicked(bool); + void on_rbOnDxEcho_clicked(); void on_rbCallDx_clicked(); void on_cbDopplerTracking_toggled(bool); @@ -75,7 +75,7 @@ private: qint32 m_DopplerMethod; int m_dop; int m_dop00; - int m_dx_two_way_dop; + //int m_dx_two_way_dop; }; inline From dc423ff28b7c6b243069e18f1a4e647a81d862cb Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Thu, 3 Sep 2020 19:35:50 +0100 Subject: [PATCH 27/59] Documentation updates for On DX Echo Doppler correction mode Tnx Charlie, G3WDG, and Bob, KA1GT. --- Release_Notes.txt | 13 +++++++++++++ doc/user_guide/en/vhf-features.adoc | 18 ++++++++---------- widgets/about.cpp | 6 +++--- 3 files changed, 24 insertions(+), 13 deletions(-) diff --git a/Release_Notes.txt b/Release_Notes.txt index 871d893c5..22fca397b 100644 --- a/Release_Notes.txt +++ b/Release_Notes.txt @@ -13,6 +13,19 @@ Copyright 2001 - 2020 by Joe Taylor, K1JT. + Release: WSJT-X 2.3.0-rc1 + Sept DD, 2020 + ------------------------- + +WSJT-X 2.3.0-rc1 is a beta-quality release candidate for a program +upgrade that provides a number of new features and capabilities. +These include: + + - The *On Dx Echo* Doppler compensation method has been modified in + response to feedback from Users. Basic functionality is unchanged. + See the User Guide (Section 8.1) for more information. + + Release: WSJT-X 2.2.2 June 22, 2020 --------------------- diff --git a/doc/user_guide/en/vhf-features.adoc b/doc/user_guide/en/vhf-features.adoc index 96433eef0..6349500bf 100644 --- a/doc/user_guide/en/vhf-features.adoc +++ b/doc/user_guide/en/vhf-features.adoc @@ -92,16 +92,14 @@ thing, both stations will have the required Doppler compensation. Moreover, anyone else using this option will hear both of you without the need for manual frequency changes. -- Select *On Dx Echo* when your QSO partner is not using automated -Doppler tracking, and announces his/her transmit frequency and listening -on their own echo frequency. When clicked, this Doppler method will -set your rig frequency on receive to correct for the mutual Doppler -shift. On transmit, your rig frequency will be set so that your -QSO partner will receive you on the same frequency as their own echo -at the start of the QSO. As the QSO proceeds, your QSO partner will -receive you on this starting frequency so that they do not have to -retune their receiver as the Doppler changes. Sked frequency in this -case is set to that announced by your QSO partner. +- Select *On Dx Echo* when your QSO partner announces his/her transmit +frequency and that they are listening on their own echo +frequency. When clicked, this Doppler method will set your rig +frequency on receive to correct for the mutual Doppler shift. On +transmit, your rig frequency will be set so that your QSO partner will +receive you on the same frequency as they receive their own echo. +Sked frequency in this case is set to that announced by your QSO +partner. - Select *Call DX* after tuning the radio manually to find a station, with the Doppler mode initially set to *None*. You may be tuning the band diff --git a/widgets/about.cpp b/widgets/about.cpp index cc7f8a337..c8b630823 100644 --- a/widgets/about.cpp +++ b/widgets/about.cpp @@ -21,9 +21,9 @@ CAboutDlg::CAboutDlg(QWidget *parent) : "© 2001-2020 by Joe Taylor, K1JT, Bill Somerville, G4WJS,
" "and Steve Franke, K9AN.

" "We gratefully acknowledge contributions from AC6SL, AE4JY,
" - "DF2ET, DJ0OT, G3WDG, G4KLA, IV3NWV, IW3RAB, K3WYC, KA6MAL,
" - "KA9Q, KB1ZMX, KD6EKQ, KI7MT, KK1D, ND0B, PY2SDR, VE1SKY,
" - "VK3ACF, VK4BDJ, VK7MO, W4TI, W4TV, and W9MDB.

" + "DF2ET, DJ0OT, G3WDG, G4KLA, IV3NWV, IW3RAB, KA1GT, K3WYC,
" + "KA6MAL, KA9Q, KB1ZMX, KD6EKQ, KI7MT, KK1D, ND0B, PY2SDR,
" + "VE1SKY, VK3ACF, VK4BDJ, VK7MO, W4TI, W4TV, and W9MDB.

" "WSJT-X is licensed under the terms of Version 3
" "of the GNU General Public License (GPL)

" "" From a943aa04e26e4d54fdcd2afa159c209a9ece7305 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Fri, 4 Sep 2020 14:15:10 -0400 Subject: [PATCH 28/59] Update default FST4/FST4W frequencies for 2190 and 630 m bands. --- models/FrequencyList.cpp | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/models/FrequencyList.cpp b/models/FrequencyList.cpp index 9b63daaa9..6829514c7 100644 --- a/models/FrequencyList.cpp +++ b/models/FrequencyList.cpp @@ -46,16 +46,14 @@ namespace {20000000, Modes::FreqCal, IARURegions::ALL}, {136000, Modes::WSPR, IARURegions::ALL}, - {136200, Modes::FST4W, IARURegions::ALL}, - {136130, Modes::JT65, IARURegions::ALL}, + {136000, Modes::FST4, IARURegions::ALL}, + {136000, Modes::FST4W, IARURegions::ALL}, {136130, Modes::JT9, IARURegions::ALL}, - {136130, Modes::FST4, IARURegions::ALL}, - {474200, Modes::JT65, IARURegions::ALL}, {474200, Modes::JT9, IARURegions::ALL}, {474200, Modes::FST4, IARURegions::ALL}, {474200, Modes::WSPR, IARURegions::ALL}, - {474400, Modes::FST4W, IARURegions::ALL}, + {474200, Modes::FST4W, IARURegions::ALL}, {1836600, Modes::WSPR, IARURegions::ALL}, {1836800, Modes::FST4W, IARURegions::ALL}, From f24d15b16e772607f0d70477b842c48b617de2c1 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Fri, 4 Sep 2020 15:15:30 -0400 Subject: [PATCH 29/59] Eliminate the FST4/FST4W submodes with hmod > 1. --- lib/decoder.f90 | 1 + widgets/mainwindow.cpp | 25 +++---------------------- 2 files changed, 4 insertions(+), 22 deletions(-) diff --git a/lib/decoder.f90 b/lib/decoder.f90 index e7b9ebfa2..455362982 100644 --- a/lib/decoder.f90 +++ b/lib/decoder.f90 @@ -191,6 +191,7 @@ subroutine multimode_decoder(ss,id2,params,nfsample) ! We're in FST4 mode ndepth=iand(params%ndepth,3) iwspr=0 + params%nsubmode=0 call timer('dec240 ',0) call my_fst4%decode(fst4_decoded,id2,params%nutc, & params%nQSOProgress,params%nfqso,params%nfa,params%nfb, & diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 00d34a4c2..bb094a247 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -4033,7 +4033,7 @@ void MainWindow::guiUpdate() } genfst4_(message,&ichk,msgsent,const_cast (fst4msgbits), const_cast(itone), &iwspr, 37, 37); - int hmod=int(pow(2.0,double(m_nSubMode))); + int hmod=1; //No FST4/W submodes int nsps=720; if(m_TRperiod==30) nsps=1680; if(m_TRperiod==60) nsps=3888; @@ -4052,18 +4052,6 @@ void MainWindow::guiUpdate() &fsample,&hmod,&f0,&icmplx,foxcom_.wave,foxcom_.wave); QString t = QString::fromStdString(message).trimmed(); - bool both=(t=="CQ BOTH K1JT FN20" or t=="CQ BOTH K9AN EN50"); - if(both) { - float wave_both[15*48000]; - memcpy(wave_both,foxcom_.wave,4*15*48000); //Copy wave[] into wave_both[] - f0=f0 + 200 + 25; - hmod=2; - gen_fst4wave_(const_cast(itone),&nsym,&nsps,&nwave, - &fsample,&hmod,&f0,&icmplx,foxcom_.wave,foxcom_.wave); - for(int i=0; i<15*48000; i++) { - foxcom_.wave[i]=0.5*(wave_both[i] + foxcom_.wave[i]); - } - } } if(SpecOp::EU_VHF==m_config.special_op_id()) { @@ -5998,20 +5986,16 @@ void MainWindow::displayWidgets(qint64 n) void MainWindow::on_actionFST4_triggered() { - int nsub=m_nSubMode; on_actionJT65_triggered(); ui->label_6->setText(tr ("Band Activity")); ui->label_7->setText(tr ("Rx Frequency")); - ui->sbSubmode->setMaximum(3); - m_nSubMode=nsub; - ui->sbSubmode->setValue(m_nSubMode); m_mode="FST4"; m_modeTx="FST4"; ui->actionFST4->setChecked(true); WSPR_config(false); bool bVHF=m_config.enable_VHF_features(); // 0123456789012345678901234567890123 - displayWidgets(nWidgets("1111110001001111000100000001000000")); + displayWidgets(nWidgets("1111110001001110000100000001000000")); setup_status_bar (bVHF); ui->sbTR->values ({15, 30, 60, 120, 300, 900, 1800}); on_sbTR_valueChanged (ui->sbTR->value()); @@ -6036,12 +6020,9 @@ void MainWindow::on_actionFST4W_triggered() displayWidgets(nWidgets("0000000000000000010100000000000001")); bool bVHF=m_config.enable_VHF_features(); setup_status_bar (bVHF); - m_nSubMode=0; - ui->sbSubmode->setValue(m_nSubMode); ui->band_hopping_group_box->setChecked(false); ui->band_hopping_group_box->setVisible(false); on_sbTR_FST4W_valueChanged (ui->sbTR_FST4W->value ()); - ui->sbSubmode->setMaximum(3); m_wideGraph->setMode(m_mode); m_wideGraph->setModeTx(m_modeTx); m_wideGraph->setPeriod(m_TRperiod,6912); @@ -7359,7 +7340,7 @@ void MainWindow::transmit (double snr) if(m_TRperiod==300) nsps=21504; if(m_TRperiod==900) nsps=66560; if(m_TRperiod==1800) nsps=134400; - int hmod=int(pow(2.0,double(m_nSubMode))); + int hmod=1; //No FST4/W submodes double dfreq=hmod*12000.0/nsps; double f0=ui->WSPRfreqSpinBox->value() - m_XIT; if(!m_tune) f0 += + 1.5*dfreq; From 02928787b14689cbf1070824805593da0beffd77 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Fri, 4 Sep 2020 15:38:04 -0400 Subject: [PATCH 30/59] Save and restore the current setting of the FST4W RoundRobin control. --- widgets/mainwindow.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index bb094a247..0704b0b93 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -1160,6 +1160,7 @@ void MainWindow::writeSettings() m_settings->setValue("OutBufSize",outBufSize); m_settings->setValue ("HoldTxFreq", ui->cbHoldTxFreq->isChecked ()); m_settings->setValue("PctTx", ui->sbTxPercent->value ()); + m_settings->setValue("RoundRobin",ui->RoundRobin->currentText()); m_settings->setValue("dBm",m_dBm); m_settings->setValue("RR73",m_send_RR73); m_settings->setValue ("WSPRPreferType1", ui->WSPR_prefer_type_1_check_box->isChecked ()); @@ -1252,6 +1253,7 @@ void MainWindow::readSettings() m_ndepth=m_settings->value("NDepth",3).toInt(); ui->sbTxPercent->setValue (m_settings->value ("PctTx", 20).toInt ()); on_sbTxPercent_valueChanged (ui->sbTxPercent->value ()); + ui->RoundRobin->setCurrentText(m_settings->value("RoundRobin",tr("Random")).toString()); m_dBm=m_settings->value("dBm",37).toInt(); m_send_RR73=m_settings->value("RR73",false).toBool(); if(m_send_RR73) { From 1471ac03128944b2c51ed3973a6e60664c2bd380 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Fri, 4 Sep 2020 15:41:19 -0400 Subject: [PATCH 31/59] Remove all FST4/FST4W default frequencies for bands 3.5 MHz and higher. --- models/FrequencyList.cpp | 21 --------------------- 1 file changed, 21 deletions(-) diff --git a/models/FrequencyList.cpp b/models/FrequencyList.cpp index 6829514c7..ec3c185ff 100644 --- a/models/FrequencyList.cpp +++ b/models/FrequencyList.cpp @@ -91,10 +91,8 @@ namespace // {3570000, Modes::JT65, IARURegions::ALL}, // JA compatible {3572000, Modes::JT9, IARURegions::ALL}, - {3572000, Modes::FST4, IARURegions::ALL}, {3573000, Modes::FT8, IARURegions::ALL}, // above as below JT65 is out of DM allocation {3568600, Modes::WSPR, IARURegions::ALL}, // needs guard marker and lock out - {3568800, Modes::FST4W, IARURegions::ALL}, {3575000, Modes::FT4, IARURegions::ALL}, // provisional {3568000, Modes::FT4, IARURegions::R3}, // provisional @@ -130,11 +128,9 @@ namespace // 7110 LSB EMCOMM // {7038600, Modes::WSPR, IARURegions::ALL}, - {7038800, Modes::FST4W, IARURegions::ALL}, {7074000, Modes::FT8, IARURegions::ALL}, {7076000, Modes::JT65, IARURegions::ALL}, {7078000, Modes::JT9, IARURegions::ALL}, - {7078000, Modes::FST4, IARURegions::ALL}, {7047500, Modes::FT4, IARURegions::ALL}, // provisional - moved // up 500Hz to clear // W1AW code practice QRG @@ -168,9 +164,7 @@ namespace {10136000, Modes::FT8, IARURegions::ALL}, {10138000, Modes::JT65, IARURegions::ALL}, {10138700, Modes::WSPR, IARURegions::ALL}, - {10138900, Modes::FST4W, IARURegions::ALL}, {10140000, Modes::JT9, IARURegions::ALL}, - {10140000, Modes::FST4, IARURegions::ALL}, {10140000, Modes::FT4, IARURegions::ALL}, // provisional // Band plans (all USB dial unless stated otherwise) @@ -211,11 +205,9 @@ namespace // 14106.5 OLIVIA 1000 (main QRG) // {14095600, Modes::WSPR, IARURegions::ALL}, - {14095800, Modes::FST4W, IARURegions::ALL}, {14074000, Modes::FT8, IARURegions::ALL}, {14076000, Modes::JT65, IARURegions::ALL}, {14078000, Modes::JT9, IARURegions::ALL}, - {14078000, Modes::FST4, IARURegions::ALL}, {14080000, Modes::FT4, IARURegions::ALL}, // provisional // Band plans (all USB dial unless stated otherwise) @@ -248,33 +240,25 @@ namespace {18100000, Modes::FT8, IARURegions::ALL}, {18102000, Modes::JT65, IARURegions::ALL}, {18104000, Modes::JT9, IARURegions::ALL}, - {18104000, Modes::FST4, IARURegions::ALL}, {18104000, Modes::FT4, IARURegions::ALL}, // provisional {18104600, Modes::WSPR, IARURegions::ALL}, - {18104800, Modes::FST4W, IARURegions::ALL}, {21074000, Modes::FT8, IARURegions::ALL}, {21076000, Modes::JT65, IARURegions::ALL}, {21078000, Modes::JT9, IARURegions::ALL}, - {21078000, Modes::FST4, IARURegions::ALL}, {21094600, Modes::WSPR, IARURegions::ALL}, - {21094800, Modes::FST4W, IARURegions::ALL}, {21140000, Modes::FT4, IARURegions::ALL}, {24915000, Modes::FT8, IARURegions::ALL}, {24917000, Modes::JT65, IARURegions::ALL}, {24919000, Modes::JT9, IARURegions::ALL}, - {24919000, Modes::FST4, IARURegions::ALL}, {24919000, Modes::FT4, IARURegions::ALL}, // provisional {24924600, Modes::WSPR, IARURegions::ALL}, - {24924800, Modes::FST4W, IARURegions::ALL}, {28074000, Modes::FT8, IARURegions::ALL}, {28076000, Modes::JT65, IARURegions::ALL}, {28078000, Modes::JT9, IARURegions::ALL}, - {28078000, Modes::FST4, IARURegions::ALL}, {28124600, Modes::WSPR, IARURegions::ALL}, - {28124800, Modes::FST4W, IARURegions::ALL}, {28180000, Modes::FT4, IARURegions::ALL}, {50200000, Modes::Echo, IARURegions::ALL}, @@ -285,11 +269,8 @@ namespace {50260000, Modes::MSK144, IARURegions::R3}, {50293000, Modes::WSPR, IARURegions::R2}, {50293000, Modes::WSPR, IARURegions::R3}, - {50293200, Modes::FST4W, IARURegions::R2}, - {50293200, Modes::FST4W, IARURegions::R3}, {50310000, Modes::JT65, IARURegions::ALL}, {50312000, Modes::JT9, IARURegions::ALL}, - {50312000, Modes::FST4, IARURegions::ALL}, {50313000, Modes::FT8, IARURegions::ALL}, {50318000, Modes::FT4, IARURegions::ALL}, // provisional {50323000, Modes::FT8, IARURegions::ALL}, @@ -298,7 +279,6 @@ namespace {70102000, Modes::JT65, IARURegions::R1}, {70104000, Modes::JT9, IARURegions::R1}, {70091000, Modes::WSPR, IARURegions::R1}, - {70091200, Modes::FST4W, IARURegions::R2}, {70230000, Modes::MSK144, IARURegions::R1}, {144120000, Modes::JT65, IARURegions::ALL}, @@ -308,7 +288,6 @@ namespace {144360000, Modes::MSK144, IARURegions::R1}, {144150000, Modes::MSK144, IARURegions::R2}, {144489000, Modes::WSPR, IARURegions::ALL}, - {144489200, Modes::FST4W, IARURegions::R2}, {144120000, Modes::QRA64, IARURegions::ALL}, {222065000, Modes::Echo, IARURegions::R2}, From c1025b7c4c02024d48e4b3aa752553f84f1e63fa Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 10:34:55 -0400 Subject: [PATCH 32/59] Allow user to set center frequency and FTol in FST4W mode. Needs more testing! --- widgets/mainwindow.cpp | 37 +++++++++-- widgets/mainwindow.h | 2 + widgets/mainwindow.ui | 143 +++++++++++++++++++++++++++-------------- widgets/plotter.cpp | 7 +- 4 files changed, 131 insertions(+), 58 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 0704b0b93..71d8f20cf 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -1145,6 +1145,8 @@ void MainWindow::writeSettings() m_settings->setValue("RxFreq",ui->RxFreqSpinBox->value()); m_settings->setValue("TxFreq",ui->TxFreqSpinBox->value()); m_settings->setValue("WSPRfreq",ui->WSPRfreqSpinBox->value()); + m_settings->setValue("FST4W_RxFreq",ui->sbFST4W_RxFreq->value()); + m_settings->setValue("FST4W_FTol",ui->sbFST4W_FTol->value()); m_settings->setValue("SubMode",ui->sbSubmode->value()); m_settings->setValue("DTtol",m_DTtol); m_settings->setValue("Ftol", ui->sbFtol->value ()); @@ -1232,8 +1234,11 @@ void MainWindow::readSettings() ui->actionSave_all->setChecked(m_settings->value("SaveAll",false).toBool()); ui->RxFreqSpinBox->setValue(0); // ensure a change is signaled ui->RxFreqSpinBox->setValue(m_settings->value("RxFreq",1500).toInt()); + ui->sbFST4W_RxFreq->setValue(0); + ui->sbFST4W_RxFreq->setValue(m_settings->value("FST4W_RxFreq",1500).toInt()); m_nSubMode=m_settings->value("SubMode",0).toInt(); ui->sbFtol->setValue (m_settings->value("Ftol", 50).toInt()); + ui->sbFST4W_FTol->setValue(m_settings->value("FST4W_FTol",100).toInt()); m_minSync=m_settings->value("MinSync",0).toInt(); ui->syncSpinBox->setValue(m_minSync); ui->cbAutoSeq->setChecked (m_settings->value ("AutoSeq", false).toBool()); @@ -3079,6 +3084,7 @@ void MainWindow::decode() //decode() dec_data.params.ntol=20; dec_data.params.naggressive=0; } + if(m_mode=="FST4W") dec_data.params.ntol=ui->sbFST4W_FTol->value (); if(dec_data.params.nutc < m_nutc0) m_RxLog = 1; //Date and Time to file "ALL.TXT". if(dec_data.params.newdat==1 and !m_diskData) m_nutc0=dec_data.params.nutc; dec_data.params.ntxmode=9; @@ -5995,10 +6001,9 @@ void MainWindow::on_actionFST4_triggered() m_modeTx="FST4"; ui->actionFST4->setChecked(true); WSPR_config(false); - bool bVHF=m_config.enable_VHF_features(); // 0123456789012345678901234567890123 displayWidgets(nWidgets("1111110001001110000100000001000000")); - setup_status_bar (bVHF); + setup_status_bar(false); ui->sbTR->values ({15, 30, 60, 120, 300, 900, 1800}); on_sbTR_valueChanged (ui->sbTR->value()); ui->cbAutoSeq->setChecked(true); @@ -6013,15 +6018,16 @@ void MainWindow::on_actionFST4_triggered() void MainWindow::on_actionFST4W_triggered() { - on_actionFST4_triggered(); m_mode="FST4W"; m_modeTx="FST4W"; + m_nsps=6912; //For symspec only + m_FFTSize = m_nsps / 2; + Q_EMIT FFTSize(m_FFTSize); WSPR_config(true); ui->actionFST4W->setChecked(true); // 0123456789012345678901234567890123 displayWidgets(nWidgets("0000000000000000010100000000000001")); - bool bVHF=m_config.enable_VHF_features(); - setup_status_bar (bVHF); + setup_status_bar(false); ui->band_hopping_group_box->setChecked(false); ui->band_hopping_group_box->setVisible(false); on_sbTR_FST4W_valueChanged (ui->sbTR_FST4W->value ()); @@ -6029,6 +6035,8 @@ void MainWindow::on_actionFST4W_triggered() m_wideGraph->setModeTx(m_modeTx); m_wideGraph->setPeriod(m_TRperiod,6912); m_wideGraph->setTxFreq(ui->WSPRfreqSpinBox->value()); + m_wideGraph->setRxFreq(ui->sbFST4W_RxFreq->value()); + m_wideGraph->setTol(ui->sbFST4W_FTol->value()); ui->sbFtol->setValue(100); ui->RxFreqSpinBox->setValue(1500); switch_mode (Modes::FST4W); @@ -6644,9 +6652,12 @@ void MainWindow::WSPR_config(bool b) ui->label_7->setVisible(!b and ui->cbMenus->isChecked()); ui->logQSOButton->setVisible(!b); ui->DecodeButton->setEnabled(!b); - ui->sbTxPercent->setEnabled (m_mode != "FST4W" || tr ("Random") == ui->RoundRobin->currentText ()); + bool bFST4W=(m_mode=="FST4W"); + ui->sbTxPercent->setEnabled(!bFST4W or (tr("Random") == ui->RoundRobin->currentText())); ui->band_hopping_group_box->setVisible(true); - ui->RoundRobin->setVisible(m_mode=="FST4W"); + ui->RoundRobin->setVisible(bFST4W); + ui->sbFST4W_RxFreq->setVisible(bFST4W); + ui->sbFST4W_FTol->setVisible(bFST4W); ui->RoundRobin->lineEdit()->setAlignment(Qt::AlignCenter); if(b and m_mode!="Echo" and m_mode!="FST4W") { QString t="UTC dB DT Freq Drift Call Grid dBm "; @@ -8126,6 +8137,18 @@ void MainWindow::on_WSPRfreqSpinBox_valueChanged(int n) ui->TxFreqSpinBox->setValue(n); } +void MainWindow::on_sbFST4W_RxFreq_valueChanged(int n) +{ + m_wideGraph->setRxFreq(n); + statusUpdate (); +} + +void MainWindow::on_sbFST4W_FTol_valueChanged(int n) +{ + m_wideGraph->setTol(n); + statusUpdate (); +} + void MainWindow::on_pbTxNext_clicked(bool b) { if (b && !ui->autoButton->isChecked ()) diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index 48cdf0c01..694316969 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -288,6 +288,8 @@ private slots: void TxAgain(); void uploadResponse(QString response); void on_WSPRfreqSpinBox_valueChanged(int n); + void on_sbFST4W_RxFreq_valueChanged(int n); + void on_sbFST4W_FTol_valueChanged(int n); void on_pbTxNext_clicked(bool b); void on_actionEcho_Graph_triggered(); void on_actionEcho_triggered(); diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index f16f26c42..e315ba235 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -1195,7 +1195,7 @@ When not checked you can view the calibration results. QTabWidget::Triangular - 0 + 1 @@ -2159,69 +2159,50 @@ list. The list can be maintained in Settings (F2). - - - Percentage of minute sequences devoted to transmitting. - - - QSpinBox:enabled[notx="true"] { - color: rgb(0, 0, 0); - background-color: rgb(255, 255, 0); -} - + Qt::AlignCenter - % + Hz - Tx Pct - - - 100 - - - - - - - Qt::AlignCenter - - - s - - - T/R + Rx - 15 + 100 - 1800 + 4900 + + + 100 + + + 1500 - - - Band Hopping + + + Qt::AlignCenter - - true + + Hz + + + F Tol + + + 100 + + + 500 + + + 100 - - - - - Choose bands and times of day for band-hopping. - - - Schedule ... - - - - @@ -2339,6 +2320,72 @@ list. The list can be maintained in Settings (F2). + + + + Percentage of minute sequences devoted to transmitting. + + + QSpinBox:enabled[notx="true"] { + color: rgb(0, 0, 0); + background-color: rgb(255, 255, 0); +} + + + Qt::AlignCenter + + + % + + + Tx Pct + + + 100 + + + + + + + Qt::AlignCenter + + + s + + + T/R + + + 15 + + + 1800 + + + + + + + Band Hopping + + + true + + + + + + Choose bands and times of day for band-hopping. + + + Schedule ... + + + + + + diff --git a/widgets/plotter.cpp b/widgets/plotter.cpp index c21d7e5f0..9fdf66cef 100644 --- a/widgets/plotter.cpp +++ b/widgets/plotter.cpp @@ -48,7 +48,8 @@ CPlotter::CPlotter(QWidget *parent) : //CPlotter Constructor m_Percent2DScreen0 {0}, m_rxFreq {1020}, m_txFreq {0}, - m_startFreq {0} + m_startFreq {0}, + m_tol {100} { setSizePolicy(QSizePolicy::Expanding, QSizePolicy::Expanding); setFocusPolicy(Qt::StrongFocus); @@ -485,8 +486,8 @@ void CPlotter::DrawOverlay() //DrawOverlay() } if(m_mode=="FST4W") { - x1=XfromFreq(2600); - x2=XfromFreq(2700); + x1=XfromFreq(m_rxFreq-m_tol); + x2=XfromFreq(m_rxFreq+m_tol); painter0.drawLine(x1,26,x2,26); } From 844fe26368eacfd69fe04630ee1c4259c12d650d Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 11:53:23 -0400 Subject: [PATCH 33/59] Fix "on_actionFST4_triggered()" so that it does not call another mode setup routine. --- widgets/mainwindow.cpp | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 71d8f20cf..d3d1954da 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -5994,12 +5994,14 @@ void MainWindow::displayWidgets(qint64 n) void MainWindow::on_actionFST4_triggered() { - on_actionJT65_triggered(); - ui->label_6->setText(tr ("Band Activity")); - ui->label_7->setText(tr ("Rx Frequency")); m_mode="FST4"; m_modeTx="FST4"; ui->actionFST4->setChecked(true); + m_nsps=6912; //For symspec only + m_FFTSize = m_nsps / 2; + Q_EMIT FFTSize(m_FFTSize); + ui->label_6->setText(tr ("Band Activity")); + ui->label_7->setText(tr ("Rx Frequency")); WSPR_config(false); // 0123456789012345678901234567890123 displayWidgets(nWidgets("1111110001001110000100000001000000")); @@ -6020,11 +6022,11 @@ void MainWindow::on_actionFST4W_triggered() { m_mode="FST4W"; m_modeTx="FST4W"; + ui->actionFST4W->setChecked(true); m_nsps=6912; //For symspec only m_FFTSize = m_nsps / 2; Q_EMIT FFTSize(m_FFTSize); WSPR_config(true); - ui->actionFST4W->setChecked(true); // 0123456789012345678901234567890123 displayWidgets(nWidgets("0000000000000000010100000000000001")); setup_status_bar(false); From 01a1688b321e57566c8b6dd49eda2e0ee3dfb31c Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 13:14:40 -0400 Subject: [PATCH 34/59] FST4 and FST4W decoder: get freq range from nfqso and ntol; remove BCD submodes, i.e. hmod=2, 4, 8. --- lib/decoder.f90 | 10 ++++---- lib/fst4_decode.f90 | 58 +++++++++++++-------------------------------- 2 files changed, 21 insertions(+), 47 deletions(-) diff --git a/lib/decoder.f90 b/lib/decoder.f90 index 455362982..8e9033e4e 100644 --- a/lib/decoder.f90 +++ b/lib/decoder.f90 @@ -194,9 +194,8 @@ subroutine multimode_decoder(ss,id2,params,nfsample) params%nsubmode=0 call timer('dec240 ',0) call my_fst4%decode(fst4_decoded,id2,params%nutc, & - params%nQSOProgress,params%nfqso,params%nfa,params%nfb, & - params%nsubmode,ndepth,params%ntr,params%nexp_decode, & - params%ntol,params%emedelay, & + params%nQSOProgress,params%nfqso,ndepth,params%ntr, & + params%nexp_decode,params%ntol,params%emedelay, & logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) go to 800 @@ -208,9 +207,8 @@ subroutine multimode_decoder(ss,id2,params,nfsample) iwspr=1 call timer('dec240 ',0) call my_fst4%decode(fst4_decoded,id2,params%nutc, & - params%nQSOProgress,params%nfqso,params%nfa,params%nfb, & - params%nsubmode,ndepth,params%ntr,params%nexp_decode, & - params%ntol,params%emedelay, & + params%nQSOProgress,params%nfqso,ndepth,params%ntr, & + params%nexp_decode,params%ntol,params%emedelay, & logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) go to 800 diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index a3c2e2a98..33f383810 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -29,9 +29,9 @@ module fst4_decode contains - subroutine decode(this,callback,iwave,nutc,nQSOProgress,nfqso, & - nfa,nfb,nsubmode,ndepth,ntrperiod,nexp_decode,ntol, & - emedelay,lapcqonly,mycall,hiscall,iwspr) + subroutine decode(this,callback,iwave,nutc,nQSOProgress,nfqso, & + ndepth,ntrperiod,nexp_decode,ntol,emedelay,lapcqonly,mycall, & + hiscall,iwspr) use timer_module, only: timer use packjt77 @@ -64,7 +64,7 @@ contains integer naptypes(0:5,4) ! (nQSOProgress,decoding pass) integer mcq(29),mrrr(19),m73(19),mrr73(19) - logical badsync,unpk77_success,single_decode + logical badsync,unpk77_success logical first,nohiscall,lwspr,ex integer*2 iwave(30*60*12000) @@ -76,14 +76,12 @@ contains data rvec/0,1,0,0,1,0,1,0,0,1,0,1,1,1,1,0,1,0,0,0,1,0,0,1,1,0,1,1,0, & 1,0,0,1,0,1,1,0,0,0,0,1,0,0,0,1,0,1,0,0,1,1,1,1,0,0,1,0,1, & 0,1,0,1,0,1,1,0,1,1,1,1,1,0,0,0,1,0,1/ - data first/.true./ + data first/.true./,hmod/1/ save first,apbits,nappasses,naptypes,mycall0,hiscall0 this%callback => callback - dxcall13=hiscall ! initialize for use in packjt77 mycall13=mycall - fMHz=1.0 if(iwspr.ne.0.and.iwspr.ne.1) return @@ -157,57 +155,43 @@ contains endif !************************************ - hmod=2**nsubmode if(nfqso+nqsoprogress.eq.-999) return Keff=91 nmax=15*12000 - single_decode=iand(nexp_decode,32).eq.32 if(ntrperiod.eq.15) then nsps=720 nmax=15*12000 - ndown=18/hmod !nss=40,80,160,400 - if(hmod.eq.4) ndown=4 - if(hmod.eq.8) ndown=2 + ndown=18 !nss=40,80,160,400 nfft1=int(nmax/ndown)*ndown else if(ntrperiod.eq.30) then nsps=1680 nmax=30*12000 - ndown=42/hmod !nss=40,80,168,336 + ndown=42 !nss=40,80,168,336 nfft1=359856 !nfft2=8568=2^3*3^2*7*17 - if(hmod.eq.4) then - ndown=10 - nfft1=nmax - endif - if(hmod.eq.8) then - ndown=5 - nfft1=nmax - endif else if(ntrperiod.eq.60) then nsps=3888 nmax=60*12000 - ndown=96/hmod !nss=36,81,162,324 - if(hmod.eq.1) ndown=108 + ndown=108 nfft1=7500*96 ! nfft2=7500=2^2*3*5^4 else if(ntrperiod.eq.120) then nsps=8200 nmax=120*12000 - ndown=200/hmod !nss=40,82,164,328 - if(hmod.eq.1) ndown=205 + ndown=205 !nss=40,82,164,328 nfft1=7200*200 ! nfft2=7200=2^5*3^2*5^2 else if(ntrperiod.eq.300) then nsps=21504 nmax=300*12000 - ndown=512/hmod !nss=42,84,168,336 + ndown=512 !nss=42,84,168,336 nfft1=7020*512 ! nfft2=7020=2^2*3^3*5*13 else if(ntrperiod.eq.900) then nsps=66560 nmax=900*12000 - ndown=1664/hmod !nss=40,80,160,320 + ndown=1664 !nss=40,80,160,320 nfft1=6480*1664 ! nfft2=6480=2^4*3^4*5 else if(ntrperiod.eq.1800) then nsps=134400 nmax=1800*12000 - ndown=3360/hmod !nss=40,80,160,320 + ndown=3360 !nss=40,80,160,320 nfft1=6426*3360 ! nfft2=6426=2*3^3*7*17 end if nss=nsps/ndown @@ -218,7 +202,7 @@ contains dt2=1.0/fs2 tt=nsps*dt !Duration of "itone" symbols (s) baud=1.0/tt - sigbw=4.0*hmod*baud + sigbw=4.0*baud nfft2=nfft1/ndown !make sure that nfft1 is exactly nfft2*ndown nfft1=nfft2*ndown nh1=nfft1/2 @@ -232,8 +216,7 @@ contains jittermax=2 norder=3 elseif(ndepth.eq.2) then - nblock=1 - if(hmod.eq.1) nblock=3 + nblock=3 jittermax=0 norder=3 elseif(ndepth.eq.1) then @@ -249,17 +232,11 @@ contains ! The big fft is done once and is used for calculating the smoothed spectrum ! and also for downconverting/downsampling each candidate. call four2a(c_bigfft,nfft1,1,-1,0) !r2c -! call blank2(nfa,nfb,nfft1,c_bigfft,iwave) nhicoh=1 nsyncoh=8 - if(iwspr.eq.1) then - fa=1400.0 - fb=1600.0 - else - fa=max(100,nint(nfqso+1.5*hmod*baud-ntol)) - fb=min(4800,nint(nfqso+1.5*hmod*baud+ntol)) - endif + fa=max(100,nint(nfqso+1.5*baud-ntol)) + fb=min(4800,nint(nfqso+1.5*baud+ntol)) minsync=1.20 if(ntrperiod.eq.15) minsync=1.15 @@ -485,7 +462,7 @@ contains endif nsnr=nint(xsnr) qual=0. - fsig=fc_synced - 1.5*hmod*baud + fsig=fc_synced - 1.5*baud if(ex) then write(21,3021) nutc,icand,itry,nsyncoh,iaptype, & ijitter,ntype,nsync_qual,nharderrors,dmin, & @@ -791,7 +768,6 @@ contains complex, allocatable :: cwave(:) !Reconstructed complex signal complex, allocatable :: g(:) !Channel gain, g(t) in QEX paper real,allocatable :: ss(:) !Computed power spectrum of g(t) - real,allocatable,save :: ssavg(:) !Computed power spectrum of g(t) integer itone(160) !Tones for this message integer*2 iwave(nmax) !Raw Rx data integer hmod !Modulation index From 403d3a10411ff3b98f119b0ca39c41afa049cc32 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 14:09:33 -0400 Subject: [PATCH 35/59] Make "double-click on call" work in FST4 as in oter modes. --- widgets/mainwindow.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index d3d1954da..1c21bb836 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -4794,7 +4794,7 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie ui->TxFreqSpinBox->setValue(frequency); } if(m_mode != "JT4" && m_mode != "JT65" && !m_mode.startsWith ("JT9") && - m_mode != "QRA64" && m_mode!="FT8" && m_mode!="FT4") { + m_mode != "QRA64" && m_mode!="FT8" && m_mode!="FT4" && m_mode!="FST4") { return; } } From 7aeb9d5e2ed20210a5a009300808b319a6d7109a Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 15:11:32 -0400 Subject: [PATCH 36/59] Remove the "Tab 2" option for generating Tx messages. --- widgets/mainwindow.cpp | 211 +++---------------------------- widgets/mainwindow.h | 9 -- widgets/mainwindow.ui | 277 +---------------------------------------- 3 files changed, 15 insertions(+), 482 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 1c21bb836..bd605062a 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -565,15 +565,6 @@ MainWindow::MainWindow(QDir const& temp_directory, bool multiple, } else if (text.isEmpty ()) { ui->tx5->setCurrentText (text); } - } else if (1 == ui->tabWidget->currentIndex ()) { - if (!text.isEmpty ()) { - ui->freeTextMsg->setCurrentText (text); - } - if (send) { - ui->rbFreeText->click (); - } else if (text.isEmpty ()) { - ui->freeTextMsg->setCurrentText (text); - } } QApplication::alert (this); }); @@ -809,17 +800,11 @@ MainWindow::MainWindow(QDir const& temp_directory, bool multiple, ui->tx4->setValidator (new QRegExpValidator {message_alphabet, this}); ui->tx5->setValidator (new QRegExpValidator {message_alphabet, this}); ui->tx6->setValidator (new QRegExpValidator {message_alphabet, this}); - ui->freeTextMsg->setValidator (new QRegExpValidator {message_alphabet, this}); // Free text macros model to widget hook up. ui->tx5->setModel (m_config.macros ()); connect (ui->tx5->lineEdit(), &QLineEdit::editingFinished, [this] () {on_tx5_currentTextChanged (ui->tx5->lineEdit()->text());}); - ui->freeTextMsg->setModel (m_config.macros ()); - connect (ui->freeTextMsg->lineEdit () - , &QLineEdit::editingFinished - , [this] () {on_freeTextMsg_currentTextChanged (ui->freeTextMsg->lineEdit ()->text ());}); - connect(&m_guiTimer, &QTimer::timeout, this, &MainWindow::guiUpdate); m_guiTimer.start(100); //### Don't change the 100 ms! ### @@ -965,9 +950,6 @@ MainWindow::MainWindow(QDir const& temp_directory, bool multiple, enable_DXCC_entity (m_config.DXCC ()); // sets text window proportions and (re)inits the logbook - ui->label_9->setStyleSheet("QLabel{color: #000000; background-color: #aabec8}"); - ui->label_10->setStyleSheet("QLabel{color: #000000; background-color: #aabec8}"); - // this must be done before initializing the mode as some modes need // to turn off split on the rig e.g. WSPR m_config.transceiver_online (); @@ -1125,7 +1107,6 @@ void MainWindow::writeSettings() m_settings->setValue ("MsgAvgDisplayed", m_msgAvgWidget && m_msgAvgWidget->isVisible ()); m_settings->setValue ("FoxLogDisplayed", m_foxLogWindow && m_foxLogWindow->isVisible ()); m_settings->setValue ("ContestLogDisplayed", m_contestLogWindow && m_contestLogWindow->isVisible ()); - m_settings->setValue ("FreeText", ui->freeTextMsg->currentText ()); m_settings->setValue("ShowMenus",ui->cbMenus->isChecked()); m_settings->setValue("CallFirst",ui->cbFirst->isChecked()); m_settings->setValue("HoundSort",ui->comboBoxHoundSort->currentIndex()); @@ -1209,8 +1190,6 @@ void MainWindow::readSettings() auto displayMsgAvg = m_settings->value ("MsgAvgDisplayed", false).toBool (); auto displayFoxLog = m_settings->value ("FoxLogDisplayed", false).toBool (); auto displayContestLog = m_settings->value ("ContestLogDisplayed", false).toBool (); - if (m_settings->contains ("FreeText")) ui->freeTextMsg->setCurrentText ( - m_settings->value ("FreeText").toString ()); ui->cbMenus->setChecked(m_settings->value("ShowMenus",true).toBool()); ui->cbFirst->setChecked(m_settings->value("CallFirst",true).toBool()); ui->comboBoxHoundSort->setCurrentIndex(m_settings->value("HoundSort",3).toInt()); @@ -2123,9 +2102,6 @@ void MainWindow::keyPressEvent (QKeyEvent * e) if(ui->tabWidget->currentIndex()==0) { ui->tx5->clearEditText(); ui->tx5->setFocus(); - } else { - ui->freeTextMsg->clearEditText(); - ui->freeTextMsg->setFocus(); } return; } @@ -2603,9 +2579,7 @@ void MainWindow::hideMenus(bool checked) } ui->decodedTextLabel->setVisible(!checked); ui->gridLayout_5->layout()->setSpacing(spacing); - ui->horizontalLayout->layout()->setSpacing(spacing); ui->horizontalLayout_2->layout()->setSpacing(spacing); - ui->horizontalLayout_3->layout()->setSpacing(spacing); ui->horizontalLayout_5->layout()->setSpacing(spacing); ui->horizontalLayout_6->layout()->setSpacing(spacing); ui->horizontalLayout_7->layout()->setSpacing(spacing); @@ -2619,7 +2593,6 @@ void MainWindow::hideMenus(bool checked) ui->verticalLayout->layout()->setSpacing(spacing); ui->verticalLayout_2->layout()->setSpacing(spacing); ui->verticalLayout_3->layout()->setSpacing(spacing); - ui->verticalLayout_4->layout()->setSpacing(spacing); ui->verticalLayout_5->layout()->setSpacing(spacing); ui->verticalLayout_7->layout()->setSpacing(spacing); ui->verticalLayout_8->layout()->setSpacing(spacing); @@ -3836,8 +3809,6 @@ void MainWindow::guiUpdate() if(m_ntx == 4) txMsg=ui->tx4->text(); if(m_ntx == 5) txMsg=ui->tx5->currentText(); if(m_ntx == 6) txMsg=ui->tx6->text(); - if(m_ntx == 7) txMsg=ui->genMsg->text(); - if(m_ntx == 8) txMsg=ui->freeTextMsg->currentText(); int msgLength=txMsg.trimmed().length(); if(msgLength==0 and !m_tune) on_stopTxButton_clicked(); @@ -3937,8 +3908,6 @@ void MainWindow::guiUpdate() if(m_ntx == 4) ba=ui->tx4->text().toLocal8Bit(); if(m_ntx == 5) ba=ui->tx5->currentText().toLocal8Bit(); if(m_ntx == 6) ba=ui->tx6->text().toLocal8Bit(); - if(m_ntx == 7) ba=ui->genMsg->text().toLocal8Bit(); - if(m_ntx == 8) ba=ui->freeTextMsg->currentText().toLocal8Bit(); } ba2msg(ba,message); @@ -3984,7 +3953,7 @@ void MainWindow::guiUpdate() } if(m_modeTx=="FT8") { - if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==2) { + if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==1) { foxTxSequencer(); } else { int i3=0; @@ -4175,17 +4144,8 @@ void MainWindow::guiUpdate() m_restart=false; //---------------------------------------------------------------------- } else { - if (!m_auto && m_sentFirst73) - { + if (!m_auto && m_sentFirst73) { m_sentFirst73 = false; - if (1 == ui->tabWidget->currentIndex()) - { - ui->genMsg->setText(ui->tx6->text()); - m_ntx=7; - m_QSOProgress = CALLING; - m_gen_message_is_cq = true; - ui->rbGenMsg->setChecked(true); - } } } if (g_iptt == 1 && m_iptt0 == 0) { @@ -4285,7 +4245,7 @@ void MainWindow::guiUpdate() if(m_transmitting) { char s[42]; - if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==2) { + if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==1) { sprintf(s,"Tx: %d Slots",foxcom_.nslots); } else { sprintf(s,"Tx: %s",msgsent); @@ -4307,7 +4267,7 @@ void MainWindow::guiUpdate() } else { s[40]=0; QString t{QString::fromLatin1(s)}; - if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==2 and foxcom_.nslots==1) { + if(SpecOp::FOX==m_config.special_op_id() and ui->tabWidget->currentIndex()==1 and foxcom_.nslots==1) { t=m_fm1.trimmed(); } if(m_mode=="FT4") t="Tx: "+ m_currentMessage; @@ -4912,11 +4872,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie QString r=message_words.at (3); if(m_QSOProgress >= ROGER_REPORT && (r=="RRR" || r.toInt()==73 || "RR73" == r)) { if(m_mode=="FT4" and r=="RR73") m_dateTimeRcvdRR73=QDateTime::currentDateTimeUtc(); - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 5; - if (ui->rbGenMsg->isChecked ()) m_ntx=7; - m_gen_message_is_cq = false; - } else { m_bTUmsg=false; m_nextCall=""; //### Temporary: disable use of "TU;" message if(SpecOp::RTTY == m_config.special_op_id() and m_nextCall!="") { @@ -4937,7 +4892,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie ui->txrb5->setChecked(true); } } - } m_QSOProgress = SIGNOFF; } else if((m_QSOProgress >= REPORT || (m_QSOProgress >= REPLYING && @@ -4981,15 +4935,8 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie && message_words.size () > 2 && message_words.at (1).contains (m_baseCall) && message_words.at (2) == "73") { // 73 back to compound call holder - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 5; - if (ui->rbGenMsg->isChecked ()) m_ntx=7; - m_gen_message_is_cq = false; - } - else { - m_ntx=5; - ui->txrb5->setChecked(true); - } + m_ntx=5; + ui->txrb5->setChecked(true); m_QSOProgress = SIGNOFF; } else if (!(m_bAutoReply && (m_QSOProgress > CALLING))) { @@ -5070,14 +5017,8 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie } } else if (is_73 && !message.isStandardMessage ()) { - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 5; - if (ui->rbGenMsg->isChecked ()) m_ntx=7; - m_gen_message_is_cq = false; - } else { - m_ntx=5; - ui->txrb5->setChecked(true); - } + m_ntx=5; + ui->txrb5->setChecked(true); m_QSOProgress = SIGNOFF; } else { // just work them @@ -5148,18 +5089,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie m_bTUmsg=false; //### Temporary: disable use of "TU;" messages if (!m_nTx73 and !m_bTUmsg) { genStdMsgs(rpt); - if (gen_msg) { - switch (gen_msg) { - case 1: ui->genMsg->setText (ui->tx1->text ()); break; - case 2: ui->genMsg->setText (ui->tx2->text ()); break; - case 3: ui->genMsg->setText (ui->tx3->text ()); break; - case 4: ui->genMsg->setText (ui->tx4->text ()); break; - case 5: ui->genMsg->setText (ui->tx5->currentText ()); break; - } - if (gen_msg != 5) { // allow user to pre-select a free message - ui->rbGenMsg->setChecked (true); - } - } } if(m_transmitting) m_restart=true; if (ui->cbAutoSeq->isVisible () && ui->cbAutoSeq->isChecked () @@ -5168,6 +5097,7 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie } if(m_config.quick_call() && m_bDoubleClicked) auto_tx_mode(true); m_bDoubleClicked=false; + if(gen_msg==-999) return; //Silence compiler warning } int MainWindow::setTxMsg(int n) @@ -5275,7 +5205,6 @@ void MainWindow::genStdMsgs(QString rpt, bool unconditional) ui->tx3->clear (); ui->tx4->clear (); if(unconditional) ui->tx5->lineEdit ()->clear (); //Test if it needs sending again - ui->genMsg->clear (); m_gen_message_is_cq = false; return; } @@ -5517,19 +5446,12 @@ void MainWindow::clearDX () m_qsoStop.clear (); m_inQSOwith.clear(); genStdMsgs (QString {}); - if (ui->tabWidget->currentIndex() == 1) { - ui->genMsg->setText(ui->tx6->text()); - m_ntx=7; - m_gen_message_is_cq = true; - ui->rbGenMsg->setChecked(true); + if (m_mode=="FT8" and SpecOp::HOUND == m_config.special_op_id()) { + m_ntx=1; + ui->txrb1->setChecked(true); } else { - if (m_mode=="FT8" and SpecOp::HOUND == m_config.special_op_id()) { - m_ntx=1; - ui->txrb1->setChecked(true); - } else { - m_ntx=6; - ui->txrb6->setChecked(true); - } + m_ntx=6; + ui->txrb6->setChecked(true); } m_QSOProgress = CALLING; } @@ -6895,111 +6817,6 @@ void MainWindow::enable_DXCC_entity (bool on) updateGeometry (); } -void MainWindow::on_pbCallCQ_clicked() -{ - genStdMsgs(m_rpt); - ui->genMsg->setText(ui->tx6->text()); - m_ntx=7; - m_QSOProgress = CALLING; - m_gen_message_is_cq = true; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; - set_dateTimeQSO(-1); -} - -void MainWindow::on_pbAnswerCaller_clicked() -{ - genStdMsgs(m_rpt); - QString t=ui->tx3->text(); - int i0=t.indexOf(" R-"); - if(i0<0) i0=t.indexOf(" R+"); - t=t.mid(0,i0+1)+t.mid(i0+2,3); - ui->genMsg->setText(t); - m_ntx=7; - m_QSOProgress = REPORT; - m_gen_message_is_cq = false; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; - set_dateTimeQSO(2); -} - -void MainWindow::on_pbSendRRR_clicked() -{ - genStdMsgs(m_rpt); - ui->genMsg->setText(ui->tx4->text()); - m_ntx=7; - m_QSOProgress = ROGERS; - m_gen_message_is_cq = false; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; -} - -void MainWindow::on_pbAnswerCQ_clicked() -{ - genStdMsgs(m_rpt); - ui->genMsg->setText(ui->tx1->text()); - QString t=ui->tx2->text(); - int i0=t.indexOf("/"); - int i1=t.indexOf(" "); - if(i0>0 and i0genMsg->setText(t); - m_ntx=7; - m_QSOProgress = REPLYING; - m_gen_message_is_cq = false; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; -} - -void MainWindow::on_pbSendReport_clicked() -{ - genStdMsgs(m_rpt); - ui->genMsg->setText(ui->tx3->text()); - m_ntx=7; - m_QSOProgress = ROGER_REPORT; - m_gen_message_is_cq = false; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; - set_dateTimeQSO(3); -} - -void MainWindow::on_pbSend73_clicked() -{ - genStdMsgs(m_rpt); - ui->genMsg->setText(ui->tx5->currentText()); - m_ntx=7; - m_QSOProgress = SIGNOFF; - m_gen_message_is_cq = false; - ui->rbGenMsg->setChecked(true); - if(m_transmitting) m_restart=true; -} - -void MainWindow::on_rbGenMsg_clicked(bool checked) -{ - m_freeText=!checked; - if(!m_freeText) { - if(m_ntx != 7 && m_transmitting) m_restart=true; - m_ntx=7; - // would like to set m_QSOProgress but what to? So leave alone and - // assume it is correct - } -} - -void MainWindow::on_rbFreeText_clicked(bool checked) -{ - m_freeText=checked; - if(m_freeText) { - m_ntx=8; - // would like to set m_QSOProgress but what to? So leave alone and - // assume it is correct. Perhaps should store old value to be - // restored above in on_rbGenMsg_clicked - if (m_transmitting) m_restart=true; - } -} - -void MainWindow::on_freeTextMsg_currentTextChanged (QString const& text) -{ - msgtype(text, ui->freeTextMsg->lineEdit ()); -} - void MainWindow::on_rptSpinBox_valueChanged(int n) { int step=ui->rptSpinBox->singleStep(); diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index 694316969..aa6838b08 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -222,15 +222,6 @@ private slots: void startP1(); void stopTx(); void stopTx2(); - void on_pbCallCQ_clicked(); - void on_pbAnswerCaller_clicked(); - void on_pbSendRRR_clicked(); - void on_pbAnswerCQ_clicked(); - void on_pbSendReport_clicked(); - void on_pbSend73_clicked(); - void on_rbGenMsg_clicked(bool checked); - void on_rbFreeText_clicked(bool checked); - void on_freeTextMsg_currentTextChanged (QString const&); void on_rptSpinBox_valueChanged(int n); void killFile(); void on_tuneButton_clicked (bool); diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index e315ba235..7d5fa0004 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -1507,274 +1507,9 @@ list. The list can be maintained in Settings (F2). - - - 2 - - - - 6 - - - 6 - - - 6 - - - 6 - - - - - 0 - - - - - - 2 - 0 - - - - - 0 - 30 - - - - - 16777215 - 30 - - - - Calling CQ - - - Qt::AlignCenter - - - - - - - - 2 - 0 - - - - Generate a CQ message - - - CQ - - - - - - - - 2 - 0 - - - - Generate message with RRR - - - RRR - - - - - - - - 2 - 0 - - - - Generate message with report - - - dB - - - - - - - - 2 - 0 - - - - - 0 - 30 - - - - - 16777215 - 30 - - - - Answering CQ - - - Qt::AlignCenter - - - - - - - - 2 - 0 - - - - Generate message for replying to a CQ - - - Grid - - - - - - - - 2 - 0 - - - - Generate message with R+report - - - R+dB - - - - - - - - 2 - 0 - - - - Generate message with 73 - - - 73 - - - - - - - - - - - - 3 - 0 - - - - - - - - - 1 - 0 - - - - - 0 - 26 - - - - Send this standard (generated) message - - - Gen msg - - - true - - - - - - - - - - - - 3 - 0 - - - - - 150 - 0 - - - - Enter a free text message (maximum 13 characters) -or select a predefined macro from the dropdown list. -Press ENTER to add the current text to the predefined -list. The list can be maintained in Settings (F2). - - - true - - - QComboBox::InsertAtBottom - - - - - - - - 1 - 0 - - - - Send this free-text message (max 13 characters) - - - Free msg - - - - - - - - 3 + 2 @@ -3774,16 +3509,6 @@ Yellow when too low sbSubmode syncSpinBox tabWidget - pbCallCQ - pbAnswerCQ - pbAnswerCaller - pbSendReport - pbSendRRR - pbSend73 - genMsg - rbGenMsg - freeTextMsg - rbFreeText outAttenuation genStdMsgsPushButton tx1 From 4ab8780dd8a600808a0c6d3bfd27067465d05696 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sat, 5 Sep 2020 15:22:18 -0400 Subject: [PATCH 37/59] Code cleanyup associated with removing Tab 2. --- widgets/mainwindow.cpp | 71 ++++++++++-------------------------------- widgets/mainwindow.h | 2 +- 2 files changed, 17 insertions(+), 56 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index bd605062a..2c2ef96eb 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -4767,7 +4767,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie // Determine appropriate response to received message auto dtext = " " + message.string () + " "; dtext=dtext.remove("<").remove(">"); - int gen_msg {0}; if(dtext.contains (" " + m_baseCall + " ") || dtext.contains ("<" + m_baseCall + "> ") //###??? || dtext.contains ("<" + m_baseCall + " " + hiscall + "> ") @@ -4826,46 +4825,46 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie or bEU_VHF_w2 or (m_QSOProgress==CALLING))) { if(message_words.at(3).contains(grid_regexp) and SpecOp::EU_VHF!=m_config.special_op_id()) { if(SpecOp::NA_VHF==m_config.special_op_id() or SpecOp::WW_DIGI==m_config.special_op_id()){ - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } else { if(m_mode=="JT65" and message_words.size()>4 and message_words.at(4)=="OOO") { - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } else { - gen_msg=setTxMsg(2); + setTxMsg(2); m_QSOProgress=REPORT; } } } else if(w34.contains(grid_regexp) and SpecOp::EU_VHF==m_config.special_op_id()) { if(nrpt==0) { - gen_msg=setTxMsg(2); + setTxMsg(2); m_QSOProgress=REPORT; } else { if(w2=="R") { - gen_msg=setTxMsg(4); + setTxMsg(4); m_QSOProgress=ROGERS; } else { - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } } } else if(SpecOp::RTTY == m_config.special_op_id() and bRTTY) { if(w2=="R") { - gen_msg=setTxMsg(4); + setTxMsg(4); m_QSOProgress=ROGERS; } else { - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } m_xRcvd=t[n-2] + " " + t[n-1]; } else if(SpecOp::FIELD_DAY==m_config.special_op_id() and bFieldDay_msg) { if(t0=="R") { - gen_msg=setTxMsg(4); + setTxMsg(4); m_QSOProgress=ROGERS; } else { - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } } else { // no grid on end of msg @@ -4905,24 +4904,19 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie if(nRpt>=529 and nRpt<=599) m_xRcvd=t[n-2] + " " + t[n-1]; } ui->txrb4->setChecked(true); - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 4; - m_ntx=7; - m_gen_message_is_cq = false; - } } else if(m_QSOProgress>=CALLING and ((r.toInt()>=-50 && r.toInt()<=49) or (r.toInt()>=529 && r.toInt()<=599))) { if(SpecOp::EU_VHF==m_config.special_op_id() or SpecOp::FIELD_DAY==m_config.special_op_id() or SpecOp::RTTY==m_config.special_op_id()) { - gen_msg=setTxMsg(2); + setTxMsg(2); m_QSOProgress=REPORT; } else { if(r.left(2)=="R-" or r.left(2)=="R+") { - gen_msg=setTxMsg(4); + setTxMsg(4); m_QSOProgress=ROGERS; } else { - gen_msg=setTxMsg(3); + setTxMsg(3); m_QSOProgress=ROGER_REPORT; } } @@ -4946,21 +4940,10 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie m_ntx=3; m_QSOProgress = ROGER_REPORT; ui->txrb3->setChecked (true); - if (ui->tabWidget->currentIndex () == 1) { - gen_msg = 3; - m_ntx = 7; - m_gen_message_is_cq = false; - } } else if (!is_73) { // don't respond to sign off messages m_ntx=2; m_QSOProgress = REPORT; ui->txrb2->setChecked(true); - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 2; - m_ntx=7; - m_gen_message_is_cq = false; - } - if (m_bDoubleClickAfterCQnnn and m_transmitting) { on_stopTxButton_clicked(); TxAgainTimer.start(1500); @@ -4989,14 +4972,8 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie else if (firstcall == "DE" && message_words.size () > 3 && message_words.at (3) == "73") { if (m_QSOProgress >= ROGERS && base_call == qso_partner_base_call && m_currentMessageType) { // 73 back to compound call holder - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 5; - m_ntx=7; - m_gen_message_is_cq = false; - } else { - m_ntx=5; - ui->txrb5->setChecked(true); - } + m_ntx=5; + ui->txrb5->setChecked(true); m_QSOProgress = SIGNOFF; } else { // treat like a CQ/QRZ @@ -5009,11 +4986,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie m_QSOProgress = REPORT; ui->txrb2->setChecked (true); } - if(ui->tabWidget->currentIndex()==1) { - gen_msg = 1; - m_ntx=7; - m_gen_message_is_cq = false; - } } } else if (is_73 && !message.isStandardMessage ()) { @@ -5031,11 +5003,6 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie m_QSOProgress = REPORT; ui->txrb2->setChecked (true); } - if (1 == ui->tabWidget->currentIndex ()) { - gen_msg = m_ntx; - m_ntx=7; - m_gen_message_is_cq = false; - } } // if we get here then we are reacting to the message if (m_bAutoReply) m_bCallingCQ = CALLING == m_QSOProgress; @@ -5097,10 +5064,9 @@ void MainWindow::processMessage (DecodedText const& message, Qt::KeyboardModifie } if(m_config.quick_call() && m_bDoubleClicked) auto_tx_mode(true); m_bDoubleClicked=false; - if(gen_msg==-999) return; //Silence compiler warning } -int MainWindow::setTxMsg(int n) +void MainWindow::setTxMsg(int n) { m_ntx=n; if(n==1) ui->txrb1->setChecked(true); @@ -5109,11 +5075,6 @@ int MainWindow::setTxMsg(int n) if(n==4) ui->txrb4->setChecked(true); if(n==5) ui->txrb5->setChecked(true); if(n==6) ui->txrb6->setChecked(true); - if(ui->tabWidget->currentIndex()==1) { - m_ntx=7; //### FIX THIS ### - m_gen_message_is_cq = false; - } - return n; } void MainWindow::genCQMsg () diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index aa6838b08..880c5d141 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -310,7 +310,7 @@ private slots: void checkMSK144ContestType(); void on_pbBestSP_clicked(); void on_RoundRobin_currentTextChanged(QString text); - int setTxMsg(int n); + void setTxMsg(int n); bool stdCall(QString const& w); void remote_configure (QString const& mode, quint32 frequency_tolerance, QString const& submode , bool fast_mode, quint32 tr_period, quint32 rx_df, QString const& dx_call From 72cffc9da4c175f82c0507f82b8584fcac12b0bb Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sun, 6 Sep 2020 13:31:19 -0400 Subject: [PATCH 38/59] Make the FST4/FST4W Quick-Start Guide available from the Help menu. --- displayWidgets.txt | 1 + widgets/mainwindow.cpp | 4 ++-- widgets/mainwindow.h | 2 +- widgets/mainwindow.ui | 6 +++--- 4 files changed, 7 insertions(+), 6 deletions(-) diff --git a/displayWidgets.txt b/displayWidgets.txt index 2f6c382e2..9b438590c 100644 --- a/displayWidgets.txt +++ b/displayWidgets.txt @@ -14,6 +14,7 @@ QRA64 1111100101101101100000000010000000 ISCAT 1001110000000001100000000000000000 MSK144 1011111101000000000100010000000000 WSPR 0000000000000000010100000000000000 +FST4 1111110001001110000100000001000000 FST4W 0000000000000000010100000000000001 Echo 0000000000000000000000100000000000 FCal 0011010000000000000000000000010000 diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 2c2ef96eb..05ce2702b 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -2459,9 +2459,9 @@ void MainWindow::on_actionFT8_DXpedition_Mode_User_Guide_triggered() QDesktopServices::openUrl (QUrl {"http://physics.princeton.edu/pulsar/k1jt/FT8_DXpedition_Mode.pdf"}); } -void MainWindow::on_actionQuick_Start_Guide_v2_triggered() +void MainWindow::on_actionQuick_Start_Guide_triggered() { - QDesktopServices::openUrl (QUrl {"https://physics.princeton.edu/pulsar/k1jt/Quick_Start_WSJT-X_2.0.pdf"}); + QDesktopServices::openUrl (QUrl {"https://physics.princeton.edu/pulsar/k1jt/FST4_Quick_Start.pdf"}); } void MainWindow::on_actionOnline_User_Guide_triggered() //Display manual diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index 880c5d141..c0e0a9414 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -150,7 +150,7 @@ private slots: void on_stopButton_clicked(); void on_actionRelease_Notes_triggered (); void on_actionFT8_DXpedition_Mode_User_Guide_triggered(); - void on_actionQuick_Start_Guide_v2_triggered(); + void on_actionQuick_Start_Guide_triggered(); void on_actionOnline_User_Guide_triggered(); void on_actionLocal_User_Guide_triggered(); void on_actionWide_Waterfall_triggered(); diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index 7d5fa0004..6952cbec4 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -2776,7 +2776,7 @@ Yellow when too low - + @@ -3386,9 +3386,9 @@ Yellow when too low Export Cabrillo log ... - + - Quick-Start Guide to WSJT-X 2.0 + Quick-Start Guide to FST4 and FST4W From a9e205518fdb2ea12cc94d311e0c53f7a15e94eb Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Sun, 6 Sep 2020 13:57:29 -0400 Subject: [PATCH 39/59] Update wsptx.pro to include Audio subdirectory. --- wsjtx.pro | 1 + 1 file changed, 1 insertion(+) diff --git a/wsjtx.pro b/wsjtx.pro index 9e11c70ca..fd151a264 100644 --- a/wsjtx.pro +++ b/wsjtx.pro @@ -55,6 +55,7 @@ include(widgets/widgets.pri) include(Decoder/decodedtext.pri) include(Detector/Detector.pri) include(Modulator/Modulator.pri) +include(Audio/Audio.pri) SOURCES += \ Radio.cpp NetworkServerLookup.cpp revision_utils.cpp \ From 8d48b44e9a92fea08ed17b07cb6acec3cc8856b7 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Mon, 7 Sep 2020 20:36:09 +0100 Subject: [PATCH 40/59] ADIF v3.1.1 compliance Note that FST4 QSOs are logged with MODE=MFSK and SUBMODE=FST4. The new bands 8m and 5m are recognized. The ADIF header is expanded with program and time stamp information. --- logbook/WorkedBefore.cpp | 15 ++++++++++++++- logbook/logbook.cpp | 2 +- models/Bands.cpp | 2 ++ 3 files changed, 17 insertions(+), 2 deletions(-) diff --git a/logbook/WorkedBefore.cpp b/logbook/WorkedBefore.cpp index 152feeb25..d6a794108 100644 --- a/logbook/WorkedBefore.cpp +++ b/logbook/WorkedBefore.cpp @@ -19,7 +19,9 @@ #include #include #include +#include #include "Configuration.hpp" +#include "revision_utils.hpp" #include "qt_helpers.hpp" #include "pimpl_impl.hpp" @@ -442,7 +444,18 @@ bool WorkedBefore::add (QString const& call QTextStream out {&file}; if (!file.size ()) { - out << "WSJT-X ADIF Export" << // new file + auto ts = QDateTime::currentDateTimeUtc ().toString ("yyyyMMdd HHmmss"); + auto ver = version (true); + out << // new file + QString { + "ADIF Export\n" + "3.1.1\n" + "%0\n" + "WSJT-X\n" + "%2\n" + "" + }.arg (ts).arg (ver.size ()).arg (ver) + << #if QT_VERSION < QT_VERSION_CHECK(5, 15, 0) endl #else diff --git a/logbook/logbook.cpp b/logbook/logbook.cpp index 327585110..2cfa87418 100644 --- a/logbook/logbook.cpp +++ b/logbook/logbook.cpp @@ -79,7 +79,7 @@ QByteArray LogBook::QSOToADIF (QString const& hisCall, QString const& hisGrid, Q QString t; t = "" + hisCall; t += " " + hisGrid; - if (mode != "FT4") + if (mode != "FT4" && mode != "FST4") { t += " " + mode; } diff --git a/models/Bands.cpp b/models/Bands.cpp index f8d7872f2..f6d79f2ee 100644 --- a/models/Bands.cpp +++ b/models/Bands.cpp @@ -28,7 +28,9 @@ namespace {"15m", 21000000u, 21450000u}, {"12m", 24890000u, 24990000u}, {"10m", 28000000u, 29700000u}, + {"8m", 40000000u, 45000000u}, {"6m", 50000000u, 54000000u}, + {"5m", 54000001u, 69900000u}, {"4m", 70000000u, 71000000u}, {"2m", 144000000u, 148000000u}, {"1.25m", 222000000u, 225000000u}, From 6ff8459ea926b2ba06b5a2105030720fe317db64 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Mon, 7 Sep 2020 18:40:26 -0400 Subject: [PATCH 41/59] Add a book-keeping file useful in QtCreator. --- Audio/Audio.pri | 5 +++++ 1 file changed, 5 insertions(+) create mode 100644 Audio/Audio.pri diff --git a/Audio/Audio.pri b/Audio/Audio.pri new file mode 100644 index 000000000..e2237bbd1 --- /dev/null +++ b/Audio/Audio.pri @@ -0,0 +1,5 @@ +SOURCES += Audio/AudioDevice.cpp Audio/BWFFile.cpp Audio/soundin.cpp \ + Audio/soundout.cpp + +HEADERS += Audio/AudioDevice.hpp Audio/BWFFile.hpp Audio/soundin.h \ + Audio/soundout.h From 1d52daf7ee0f8a03d7c9bb73a3ee5976ea8e5b14 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 8 Sep 2020 12:54:19 +0100 Subject: [PATCH 42/59] Remove erroneous Qt emit keywords --- widgets/mainwindow.cpp | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 05ce2702b..aaa4f3c53 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -1879,7 +1879,7 @@ void MainWindow::on_monitorButton_clicked (bool checked) on_RxFreqSpinBox_valueChanged (ui->RxFreqSpinBox->value ()); } //Get Configuration in/out of strict split and mode checking - Q_EMIT m_config.sync_transceiver (true, checked); + m_config.sync_transceiver (true, checked); } else { ui->monitorButton->setChecked (false); // disallow } @@ -3858,7 +3858,7 @@ void MainWindow::guiUpdate() } setXIT (ui->TxFreqSpinBox->value ()); - Q_EMIT m_config.transceiver_ptt (true); //Assert the PTT + m_config.transceiver_ptt (true); //Assert the PTT m_tx_when_ready = true; } // if(!m_bTxTime and !m_tune and m_mode!="FT4") m_btxok=false; //Time to stop transmitting @@ -4369,7 +4369,7 @@ void MainWindow::stopTx() void MainWindow::stopTx2() { - Q_EMIT m_config.transceiver_ptt (false); //Lower PTT + m_config.transceiver_ptt (false); //Lower PTT if (m_mode == "JT9" && m_bFast9 && ui->cbAutoSeq->isVisible () && ui->cbAutoSeq->isChecked() && m_ntx == 5 && m_nTx73 >= 5) { @@ -6550,7 +6550,7 @@ void MainWindow::WSPR_config(bool b) if(!m_config.miles()) t += " km"; ui->decodedTextLabel->setText(t); if (m_config.is_transceiver_online ()) { - Q_EMIT m_config.transceiver_tx_frequency (0); // turn off split + m_config.transceiver_tx_frequency (0); // turn off split } m_bSimplex = true; } else @@ -6864,7 +6864,7 @@ void MainWindow::rigOpen () ui->readFreq->setText (""); ui->readFreq->setEnabled (true); m_config.transceiver_online (); - Q_EMIT m_config.sync_transceiver (true, true); + m_config.sync_transceiver (true, true); } void MainWindow::on_pbR2T_clicked() @@ -6887,7 +6887,7 @@ void MainWindow::on_readFreq_clicked() if (m_config.transceiver_online ()) { - Q_EMIT m_config.sync_transceiver (true, true); + m_config.sync_transceiver (true, true); } } @@ -6937,7 +6937,7 @@ void MainWindow::setXIT(int n, Frequency base) // frequency m_freqTxNominal = base + m_XIT; if (m_astroWidget) m_astroWidget->nominal_frequency (m_freqNominal, m_freqTxNominal); - Q_EMIT m_config.transceiver_tx_frequency (m_freqTxNominal + m_astroCorrection.tx); + m_config.transceiver_tx_frequency (m_freqTxNominal + m_astroCorrection.tx); } } //Now set the audio Tx freq @@ -8094,11 +8094,11 @@ void MainWindow::setRig (Frequency f) { if (m_transmitting && m_config.split_mode ()) { - Q_EMIT m_config.transceiver_tx_frequency (m_freqTxNominal + m_astroCorrection.tx); + m_config.transceiver_tx_frequency (m_freqTxNominal + m_astroCorrection.tx); } else { - Q_EMIT m_config.transceiver_frequency (m_freqNominal + m_astroCorrection.rx); + m_config.transceiver_frequency (m_freqNominal + m_astroCorrection.rx); } } } From db6a432a33e752db114469f0c43562a3a949e438 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 8 Sep 2020 15:24:55 +0100 Subject: [PATCH 43/59] Ensure band/frequency combo box edit styling tracks current frequency --- widgets/mainwindow.cpp | 13 ++++++++----- widgets/mainwindow.h | 1 + 2 files changed, 9 insertions(+), 5 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index aaa4f3c53..78d8fb0df 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -2197,7 +2197,7 @@ void MainWindow::displayDialFrequency () { // only change this when necessary as we get called a lot and it // would trash any user input to the band combo box line edit - ui->bandComboBox->setCurrentText (band_name); + ui->bandComboBox->setCurrentText (band_name.size () ? band_name : m_config.bands ()->oob ()); m_wideGraph->setRxBand (band_name); m_lastBand = band_name; band_changed(dial_frequency); @@ -6696,17 +6696,20 @@ void MainWindow::on_bandComboBox_currentIndexChanged (int index) // Lookup band auto const& band = m_config.bands ()->find (frequency); - if (!band.isEmpty ()) + ui->bandComboBox->setCurrentText (band.size () ? band : m_config.bands ()->oob ()); + displayDialFrequency (); +} + +void MainWindow::on_bandComboBox_editTextChanged (QString const& text) +{ + if (text.size () && m_config.bands ()->oob () != text) { ui->bandComboBox->lineEdit ()->setStyleSheet ({}); - ui->bandComboBox->setCurrentText (band); } else { ui->bandComboBox->lineEdit ()->setStyleSheet ("QLineEdit {color: yellow; background-color : red;}"); - ui->bandComboBox->setCurrentText (m_config.bands ()->oob ()); } - displayDialFrequency (); } void MainWindow::on_bandComboBox_activated (int index) diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index c0e0a9414..9bf7f79be 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -236,6 +236,7 @@ private slots: , QString const& exchange_sent, QString const& exchange_rcvd , QString const& propmode, QByteArray const& ADIF); void on_bandComboBox_currentIndexChanged (int index); + void on_bandComboBox_editTextChanged (QString const& text); void on_bandComboBox_activated (int index); void on_readFreq_clicked(); void on_pbTxMode_clicked(); From ae4cfaf1ae9946046594a1cf404b5bc2a061d458 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Tue, 8 Sep 2020 21:19:48 +0100 Subject: [PATCH 44/59] Start Fox mode on correct tab of tab widget --- widgets/mainwindow.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 78d8fb0df..e017ec9ea 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -6023,7 +6023,7 @@ void MainWindow::on_actionFT8_triggered() ui->txFirstCheckBox->setEnabled(false); ui->cbHoldTxFreq->setChecked(true); ui->cbAutoSeq->setEnabled(false); - ui->tabWidget->setCurrentIndex(2); + ui->tabWidget->setCurrentIndex(1); ui->TxFreqSpinBox->setValue(300); displayWidgets(nWidgets("1110100001001110000100000000001000")); ui->labDXped->setText(tr ("Fox")); From 923c1e6dfd15b359d80620237d4acda3aed06849 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Wed, 9 Sep 2020 22:40:07 +0100 Subject: [PATCH 45/59] I18n for some error messages --- logbook/WorkedBefore.cpp | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/logbook/WorkedBefore.cpp b/logbook/WorkedBefore.cpp index d6a794108..e7214d41b 100644 --- a/logbook/WorkedBefore.cpp +++ b/logbook/WorkedBefore.cpp @@ -8,6 +8,7 @@ #include #include #include +#include #include #include #include @@ -254,7 +255,7 @@ namespace } else { - throw LoaderException (std::runtime_error {"Invalid ADIF field " + fieldName.toStdString () + ": " + record.toStdString ()}); + throw LoaderException (std::runtime_error {QCoreApplication::translate ("WorkedBefore", "Invalid ADIF field %0: %1").arg (fieldName).arg (record).toLocal8Bit ()}); } if (closingBracketIndex > fieldNameIndex && fieldLengthIndex > fieldNameIndex && fieldLengthIndex < closingBracketIndex) @@ -271,7 +272,7 @@ namespace } else { - throw LoaderException (std::runtime_error {"Malformed ADIF field " + fieldName.toStdString () + ": " + record.toStdString ()}); + throw LoaderException (std::runtime_error {QCoreApplication::translate ("WorkedBefore", "Malformed ADIF field %0: %1").arg (fieldName).arg (record).toLocal8Bit ()}); } } return QString {}; @@ -308,7 +309,7 @@ namespace { if (end_position < 0) { - throw LoaderException (std::runtime_error {"Invalid ADIF header"}); + throw LoaderException (std::runtime_error {QCoreApplication::translate ("WorkedBefore", "Invalid ADIF header").toLocal8Bit ()}); } buffer.remove (0, end_position + 5); } @@ -354,7 +355,7 @@ namespace } else { - throw LoaderException (std::runtime_error {"Error opening ADIF log file for read: " + inputFile.errorString ().toStdString ()}); + throw LoaderException (std::runtime_error {QCoreApplication::translate ("WorkedBefore", "Error opening ADIF log file for read: %0").arg (inputFile.errorString ()).toLocal8Bit ()}); } } return worked; From d9d0e827ff81e79133e373c74d8a6e9430935091 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Wed, 9 Sep 2020 22:40:58 +0100 Subject: [PATCH 46/59] User Guide updates --- doc/user_guide/en/install-linux.adoc | 2 -- doc/user_guide/en/install-windows.adoc | 24 ++++++++++++++++++------ 2 files changed, 18 insertions(+), 8 deletions(-) diff --git a/doc/user_guide/en/install-linux.adoc b/doc/user_guide/en/install-linux.adoc index 6461ac77e..bbd53b2b9 100644 --- a/doc/user_guide/en/install-linux.adoc +++ b/doc/user_guide/en/install-linux.adoc @@ -40,7 +40,6 @@ sudo dpkg -P wsjtx You may also need to execute the following command in a terminal: -[example] .... sudo apt install libgfortran5 libqt5widgets5 libqt5network5 \ libqt5printsupport5 libqt5multimedia5-plugins libqt5serialport5 \ @@ -73,7 +72,6 @@ sudo rpm -e wsjtx You may also need to execute the following command in a terminal: -[example] .... sudo dnf install libgfortran fftw-libs-single qt5-qtbase \ qt5-qtmultimedia qt5-qtserialport qt5-qtsvg \ diff --git a/doc/user_guide/en/install-windows.adoc b/doc/user_guide/en/install-windows.adoc index 04b9785ce..b999c15e7 100644 --- a/doc/user_guide/en/install-windows.adoc +++ b/doc/user_guide/en/install-windows.adoc @@ -21,18 +21,30 @@ TIP: Your computer may be configured so that this directory is `"%LocalAppData%\WSJT-X\"`. * The built-in Windows facility for time synchronization is usually - not adequate. We recommend the program _Meinberg NTP_ (see - {ntpsetup} for downloading and installation instructions) or - _Dimension 4_ from {dimension4}. Recent versions of Windows 10 are - now shipped with a more capable Internet time synchronization - service that is suitable if configured appropriately. + not adequate. We recommend the program _Meinberg NTP Client_ (see + {ntpsetup} for downloading and installation instructions). Recent + versions of Windows 10 are now shipped with a more capable Internet + time synchronization service that is suitable if configured + appropriately. We do not recommend SNTP time setting tools or others + that make periodic correction steps, _WSJT-X_ requires that the PC + clock be monotonic. + +NOTE: Having a PC clock that appears to be synchronized to UTC is not + sufficient, monotonicity means that the clock must not be + stepped backwards or forwards during corrections, instead the + clock frequency must be adjusted to correct synchronization + errors gradually. [[OPENSSL]] image:LoTW_TLS_error.png[_WSJT-X_ LoTW download TLS error, align="center"] -* _WSJT-X_ requires installation of the _OpenSSL_ libraries. Suitable libraries may already be installed on your system. If they are not, you will see this error shortly after requesting a fetch of the latest LoTW users database. To fix this, install the _OpenSSL_ libraries. +* _WSJT-X_ requires installation of the _OpenSSL_ libraries. Suitable + libraries may already be installed on your system. If they are not, + you will see this error shortly after requesting a fetch of the + latest LoTW users database. To fix this, install the _OpenSSL_ + libraries. ** You can download a suitable _OpenSSL_ package for Windows from {win_openssl_packages}; you need the latest *Windows Light* From 67bd56a6d62544597eb675f11ddd2d8e9348aee7 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Thu, 10 Sep 2020 16:29:51 +0100 Subject: [PATCH 47/59] Accessibility improvements --- Configuration.ui | 62 ++++++++++++++++++++++++++++++++++++++++--- widgets/mainwindow.ui | 6 +++++ 2 files changed, 64 insertions(+), 4 deletions(-) diff --git a/Configuration.ui b/Configuration.ui index 610bc85ad..f8a50df7d 100644 --- a/Configuration.ui +++ b/Configuration.ui @@ -577,6 +577,9 @@ quiet period when decoding is done. 0 + + Serial Port Parameters + Serial Port Parameters @@ -659,6 +662,9 @@ quiet period when decoding is done. <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> + + Data bits + Data Bits @@ -710,6 +716,9 @@ quiet period when decoding is done. <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> + + Stop bits + Stop Bits @@ -758,6 +767,9 @@ quiet period when decoding is done. <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> + + Handshake + Handshake @@ -824,6 +836,9 @@ a few, particularly some Kenwood rigs, require it). Special control of CAT port control lines. + + Force Control Lines + Force Control Lines @@ -2346,6 +2361,9 @@ Right click for insert and delete options. <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> + + URL + https://lotw.arrl.org/lotw-user-activity.csv @@ -2378,6 +2396,9 @@ Right click for insert and delete options. <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> + + Day since lalst upload + days @@ -2513,6 +2534,9 @@ Right click for insert and delete options. <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> + + Hound + Hound @@ -2535,6 +2559,9 @@ Right click for insert and delete options. <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> + + NA VHF Contest + NA VHF Contest @@ -2548,6 +2575,9 @@ Right click for insert and delete options. <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> + + Fox + Fox @@ -2570,6 +2600,9 @@ Right click for insert and delete options. <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> + + EU VHF Contest + EU VHF Contest @@ -2598,6 +2631,9 @@ Right click for insert and delete options. <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> + + R T T Y Roundup + RTTY Roundup messages @@ -2623,6 +2659,9 @@ Right click for insert and delete options. + + RTTY Roundup exchange + RTTY RU Exch: @@ -2661,6 +2700,9 @@ Right click for insert and delete options. <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> + + A R R L Field Day + ARRL Field Day @@ -2686,6 +2728,9 @@ Right click for insert and delete options. + + Field Day exchange + FD Exch: @@ -2728,6 +2773,9 @@ Right click for insert and delete options. <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> + + WW Digital Contest + WW Digi Contest @@ -2840,6 +2888,9 @@ Right click for insert and delete options. 50 + + Tone spacing + Tone spacing @@ -2878,6 +2929,9 @@ Right click for insert and delete options. 50 + + Waterfall spectra + Waterfall spectra @@ -3134,12 +3188,12 @@ Right click for insert and delete options. - - - - + + + + diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index 6952cbec4..d53d75358 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -721,6 +721,9 @@ QPushButton[state="ok"] { Set Tx frequency to Rx Frequency + + Set Tx frequency to Rx Frequency + @@ -771,6 +774,9 @@ QPushButton[state="ok"] { Set Rx frequency to Tx Frequency + + Set Rx frequency to Tx Frequency + From b6f990fac226f731f25f2bf83abb595c360b37ac Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Thu, 10 Sep 2020 13:33:33 -0400 Subject: [PATCH 48/59] Allow FTol values down to 1 Hz; let maximum FTol values for FST4 depend on TRperiod. --- widgets/mainwindow.cpp | 19 +++++++++++++++++-- widgets/mainwindow.h | 1 + widgets/mainwindow.ui | 2 +- 3 files changed, 19 insertions(+), 3 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index e017ec9ea..3c86841c7 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -4210,9 +4210,10 @@ void MainWindow::guiUpdate() } } -//Once per second: +//Once per second (onesec) if(nsec != m_sec0) { // qDebug() << "AAA" << nsec; + if(m_mode=="FST4") sbFtolMaxVal(); m_currentBand=m_config.bands()->find(m_freqNominal); if( SpecOp::HOUND == m_config.special_op_id() ) { qint32 tHound=QDateTime::currentMSecsSinceEpoch()/1000 - m_tAutoOn; @@ -5891,6 +5892,7 @@ void MainWindow::on_actionFST4_triggered() setup_status_bar(false); ui->sbTR->values ({15, 30, 60, 120, 300, 900, 1800}); on_sbTR_valueChanged (ui->sbTR->value()); + sbFtolMaxVal(); ui->cbAutoSeq->setChecked(true); m_wideGraph->setMode(m_mode); m_wideGraph->setModeTx(m_modeTx); @@ -6504,7 +6506,8 @@ void MainWindow::switch_mode (Mode mode) ui->rptSpinBox->setSingleStep(1); ui->rptSpinBox->setMinimum(-50); ui->rptSpinBox->setMaximum(49); - ui->sbFtol->values ({10, 20, 50, 100, 200, 500, 1000}); + ui->sbFtol->values ({1, 2, 5, 10, 20, 50, 100, 200, 500, 1000}); + ui->sbFST4W_FTol->values({1, 2, 5, 10, 20, 50, 100}); if(m_mode=="MSK144") { ui->RxFreqSpinBox->setMinimum(1400); ui->RxFreqSpinBox->setMaximum(1600); @@ -7439,6 +7442,7 @@ void MainWindow::on_sbTR_valueChanged(int value) m_wideGraph->setPeriod (value, m_nsps); progressBar.setMaximum (value); } + if(m_mode=="FST4") sbFtolMaxVal(); if(m_monitoring) { on_stopButton_clicked(); on_monitorButton_clicked(true); @@ -7449,6 +7453,14 @@ void MainWindow::on_sbTR_valueChanged(int value) statusUpdate (); } +void MainWindow::sbFtolMaxVal() +{ + if(m_TRperiod<=60) ui->sbFtol->setMaximum(1000); + if(m_TRperiod==120) ui->sbFtol->setMaximum(500); + if(m_TRperiod==300) ui->sbFtol->setMaximum(200); + if(m_TRperiod>=900) ui->sbFtol->setMaximum(100); +} + void MainWindow::on_sbTR_FST4W_valueChanged(int value) { on_sbTR_valueChanged(value); @@ -7928,6 +7940,9 @@ void MainWindow::on_sbFST4W_RxFreq_valueChanged(int n) void MainWindow::on_sbFST4W_FTol_valueChanged(int n) { + int m=(ui->sbFST4W_RxFreq->value() + n/2)/n; + ui->sbFST4W_RxFreq->setValue(n*m); + ui->sbFST4W_RxFreq->setSingleStep(n); m_wideGraph->setTol(n); statusUpdate (); } diff --git a/widgets/mainwindow.h b/widgets/mainwindow.h index 9bf7f79be..042866fe2 100644 --- a/widgets/mainwindow.h +++ b/widgets/mainwindow.h @@ -312,6 +312,7 @@ private slots: void on_pbBestSP_clicked(); void on_RoundRobin_currentTextChanged(QString text); void setTxMsg(int n); + void sbFtolMaxVal(); bool stdCall(QString const& w); void remote_configure (QString const& mode, quint32 frequency_tolerance, QString const& submode , bool fast_mode, quint32 tr_period, quint32 rx_df, QString const& dx_call diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index 6952cbec4..164bf2f2b 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -1919,7 +1919,7 @@ list. The list can be maintained in Settings (F2). - + Qt::AlignCenter From e23f7b34349dd966b2e7b2b68789d05e5edef01c Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Thu, 10 Sep 2020 13:48:08 -0400 Subject: [PATCH 49/59] Don't round off the FST4W RxFreq when FTol is changed. That was a bad idea. --- widgets/mainwindow.cpp | 2 -- 1 file changed, 2 deletions(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index 3c86841c7..e98ed8a00 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -7940,8 +7940,6 @@ void MainWindow::on_sbFST4W_RxFreq_valueChanged(int n) void MainWindow::on_sbFST4W_FTol_valueChanged(int n) { - int m=(ui->sbFST4W_RxFreq->value() + n/2)/n; - ui->sbFST4W_RxFreq->setValue(n*m); ui->sbFST4W_RxFreq->setSingleStep(n); m_wideGraph->setTol(n); statusUpdate (); From 47fcddcb5003941a0c6f0af68da77a708b628fce Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Thu, 10 Sep 2020 14:59:52 -0400 Subject: [PATCH 50/59] Send nfa, nfb to fst4_decode(). --- lib/decoder.f90 | 6 ++++-- lib/fst4_decode.f90 | 4 ++-- 2 files changed, 6 insertions(+), 4 deletions(-) diff --git a/lib/decoder.f90 b/lib/decoder.f90 index 8e9033e4e..3e5b2573d 100644 --- a/lib/decoder.f90 +++ b/lib/decoder.f90 @@ -194,7 +194,8 @@ subroutine multimode_decoder(ss,id2,params,nfsample) params%nsubmode=0 call timer('dec240 ',0) call my_fst4%decode(fst4_decoded,id2,params%nutc, & - params%nQSOProgress,params%nfqso,ndepth,params%ntr, & + params%nQSOProgress,params%nfa,params%nfb, & + params%nfqso,ndepth,params%ntr, & params%nexp_decode,params%ntol,params%emedelay, & logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) @@ -207,7 +208,8 @@ subroutine multimode_decoder(ss,id2,params,nfsample) iwspr=1 call timer('dec240 ',0) call my_fst4%decode(fst4_decoded,id2,params%nutc, & - params%nQSOProgress,params%nfqso,ndepth,params%ntr, & + params%nQSOProgress,params%nfa,params%nfb, & + params%nfqso,ndepth,params%ntr, & params%nexp_decode,params%ntol,params%emedelay, & logical(params%lapcqonly),mycall,hiscall,iwspr) call timer('dec240 ',1) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 33f383810..8ec889b36 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -29,8 +29,8 @@ module fst4_decode contains - subroutine decode(this,callback,iwave,nutc,nQSOProgress,nfqso, & - ndepth,ntrperiod,nexp_decode,ntol,emedelay,lapcqonly,mycall, & + subroutine decode(this,callback,iwave,nutc,nQSOProgress,nfa,nfb,nfqso, & + ndepth,ntrperiod,nexp_decode,ntol,emedelay,lapcqonly,mycall, & hiscall,iwspr) use timer_module, only: timer From 2dcde590df3954fd79c0a7ff08ec7a4b6aa5576d Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Thu, 10 Sep 2020 14:58:10 -0500 Subject: [PATCH 51/59] Use widegraph limits for noise baseline fit. Limit signal search to within the widegraph limits. --- lib/fst4_decode.f90 | 23 ++++++----------------- 1 file changed, 6 insertions(+), 17 deletions(-) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index 8ec889b36..c8d3add32 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -82,7 +82,6 @@ contains this%callback => callback dxcall13=hiscall ! initialize for use in packjt77 mycall13=mycall - fMHz=1.0 if(iwspr.ne.0.and.iwspr.ne.1) return @@ -241,7 +240,7 @@ contains if(ntrperiod.eq.15) minsync=1.15 ! Get first approximation of candidate frequencies - call get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb, & + call get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb,nfa,nfb, & minsync,ncand,candidates) ndecodes=0 @@ -626,7 +625,7 @@ contains end subroutine fst4_downsample - subroutine get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb, & + subroutine get_candidates_fst4(c_bigfft,nfft1,nsps,hmod,fs,fa,fb,nfa,nfb, & minsync,ncand,candidates) complex c_bigfft(0:nfft1/2) !Full length FFT of raw data @@ -648,20 +647,10 @@ contains ndh=nd/2 ia=nint(max(100.0,fa)/df2) !Low frequency search limit ib=nint(min(4800.0,fb)/df2) !High frequency limit - signal_bw=4*(12000.0/nsps)*hmod - analysis_bw=min(4800.0,fb)-max(100.0,fa) - xnoise_bw=10.0*signal_bw !Is this a good compromise? - if(xnoise_bw .lt. 400.0) xnoise_bw=400.0 - if(analysis_bw.gt.xnoise_bw) then !Estimate noise baseline over analysis bw - ina=0.9*ia - inb=min(int(1.1*ib),nfft1/2) - else !Estimate noise baseline over noise bw - fcenter=(fa+fb)/2.0 - fl = max(100.0,fcenter-xnoise_bw/2.)/df2 - fh = min(4800.0,fcenter+xnoise_bw/2.)/df2 - ina=nint(fl) - inb=nint(fh) - endif + ina=nint(max(100.0,real(nfa))/df2) !Low freq limit for noise baseline fit + inb=nint(min(4800.0,real(nfb))/df2) !High freq limit for noise fit + if(ia.lt.ina) ia=ina + if(ib.gt.inb) ib=inb nnw=nint(48000.*nsps*2./fs) allocate (s(nnw)) s=0. !Compute low-resolution power spectrum From 71fdcd11195d50f395d4d692851b1a54485f59d9 Mon Sep 17 00:00:00 2001 From: Steven Franke Date: Thu, 10 Sep 2020 16:11:07 -0500 Subject: [PATCH 52/59] Silence a compiler warning. --- lib/fst4_decode.f90 | 1 + 1 file changed, 1 insertion(+) diff --git a/lib/fst4_decode.f90 b/lib/fst4_decode.f90 index c8d3add32..6237ba4a7 100644 --- a/lib/fst4_decode.f90 +++ b/lib/fst4_decode.f90 @@ -210,6 +210,7 @@ contains allocate( c2(0:nfft2-1) ) allocate( cframe(0:160*nss-1) ) + jittermax=2 if(ndepth.eq.3) then nblock=4 jittermax=2 From 7d63ef12fa7c804ec1664233d8071435898f8783 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 12:52:34 +0100 Subject: [PATCH 53/59] Remove unused actions from MainWindow UI source Correct a typo as well. --- widgets/mainwindow.ui | 157 +----------------------------------------- 1 file changed, 1 insertion(+), 156 deletions(-) diff --git a/widgets/mainwindow.ui b/widgets/mainwindow.ui index 3a942b902..4779fb20b 100644 --- a/widgets/mainwindow.ui +++ b/widgets/mainwindow.ui @@ -1201,7 +1201,7 @@ When not checked you can view the calibration results. QTabWidget::Triangular - 1 + 0 @@ -2852,17 +2852,6 @@ Yellow when too low QAction::QuitRole - - - false - - - Configuration - - - F2 - - About WSJT-X @@ -2991,14 +2980,6 @@ Yellow when too low Deep - - - true - - - Monitor OFF at startup - - Erase ALL.TXT @@ -3009,97 +2990,6 @@ Yellow when too low Erase wsjtx_log.adi - - - true - - - Convert mode to RTTY for logging - - - - - true - - - Log dB reports to Comments - - - - - true - - - Prompt me to log QSO - - - - - true - - - Blank line between decoding periods - - - - - true - - - Clear DX Call and Grid after logging - - - - - true - - - Display distance in miles - - - - - true - - - Double-click on call sets Tx Enable - - - F7 - - - - - true - - - Tx disabled after sending 73 - - - - - true - - - Runaway Tx watchdog - - - - - true - - - Allow multiple instances - - - - - true - - - Tx freq locked to Rx freq - - true @@ -3116,30 +3006,6 @@ Yellow when too low JT9+JT65 - - - true - - - Tx messages to Rx Frequency window - - - - - true - - - Gray1 - - - - - true - - - Show DXCC entity and worked B4 status - - true @@ -3382,11 +3248,6 @@ Yellow when too low Color highlighting scheme - - - Contest Log - - Export Cabrillo log ... @@ -3423,11 +3284,6 @@ Yellow when too low FST4 - - - FT240W - - true @@ -3436,17 +3292,6 @@ Yellow when too low FST4W - - - true - - - true - - - Also FST4W - - From 5037445f9433766a91de8cf45bee1704be3f4a4d Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 12:54:22 +0100 Subject: [PATCH 54/59] Fix a typo --- Configuration.ui | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/Configuration.ui b/Configuration.ui index f8a50df7d..4c8035754 100644 --- a/Configuration.ui +++ b/Configuration.ui @@ -2397,7 +2397,7 @@ Right click for insert and delete options. <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> - Day since lalst upload + Days since last upload days @@ -3187,13 +3187,13 @@ Right click for insert and delete options. + + + - - - - - + + From 99e09a55c54694bee162796c686be706af4902f0 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 13:06:57 +0100 Subject: [PATCH 55/59] Updated l10n files --- translations/wsjtx_ca.ts | 1867 ++++++++++++++++++--------------- translations/wsjtx_da.ts | 1869 ++++++++++++++++++--------------- translations/wsjtx_en.ts | 1969 +++++++++++++++++----------------- translations/wsjtx_en_GB.ts | 1969 +++++++++++++++++----------------- translations/wsjtx_es.ts | 1867 ++++++++++++++++++--------------- translations/wsjtx_it.ts | 1867 ++++++++++++++++++--------------- translations/wsjtx_ja.ts | 1881 +++++++++++++++++---------------- translations/wsjtx_zh.ts | 1975 +++++++++++++++++++---------------- translations/wsjtx_zh_HK.ts | 1975 +++++++++++++++++++---------------- 9 files changed, 9199 insertions(+), 8040 deletions(-) diff --git a/translations/wsjtx_ca.ts b/translations/wsjtx_ca.ts index f604eb877..8f39ac882 100644 --- a/translations/wsjtx_ca.ts +++ b/translations/wsjtx_ca.ts @@ -138,17 +138,17 @@ Dades astronòmiques - + Doppler Tracking Error Error de Seguiment de Doppler - + Split operating is required for Doppler tracking L’Split és necessàri per al seguiment de Doppler - + Go to "Menu->File->Settings->Radio" to enable split operation Vés a "Menú-> Arxiu-> Configuració-> Ràdio" per habilitar l'operació dividida @@ -156,32 +156,32 @@ Bands - + Band name Nom banda - + Lower frequency limit Límit inferior de freqüència - + Upper frequency limit Límit superior de freqüència - + Band Banda - + Lower Limit Límit inferior - + Upper Limit Límit superior @@ -377,75 +377,75 @@ Configuration::impl - - - + + + &Delete &Esborrar - - + + &Insert ... &Insereix ... - + Failed to create save directory No s'ha pogut crear el directori per desar - + path: "%1% ruta: "%1% - + Failed to create samples directory No s'ha pogut crear el directori d'exemples - + path: "%1" ruta: "%1" - + &Load ... &Carrega ... - + &Save as ... &Guardar com ... - + &Merge ... &Combinar ... - + &Reset &Restablir - + Serial Port: Port sèrie: - + Serial port used for CAT control Port sèrie utilitzat per al control CAT - + Network Server: Servidor de xarxa: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -460,12 +460,12 @@ Formats: [adreça IPv6]:port - + USB Device: Dispositiu USB: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -476,152 +476,157 @@ Format: [VID[:PID[:VENDOR[:PRODUCT]]]] - + + Invalid audio input device El dispositiu d'entrada d'àudio no és vàlid - Invalid audio out device - El dispositiu de sortida d'àudio no és vàlid + El dispositiu de sortida d'àudio no és vàlid - + + Invalid audio output device + + + + Invalid PTT method El mètode de PTT no és vàlid - + Invalid PTT port El port del PTT no és vàlid - - + + Invalid Contest Exchange Intercanvi de concurs no vàlid - + You must input a valid ARRL Field Day exchange Has d’introduir un intercanvi de Field Day de l'ARRL vàlid - + You must input a valid ARRL RTTY Roundup exchange Has d’introduir un intercanvi vàlid de l'ARRL RTTY Roundup - + Reset Decode Highlighting Restableix Ressaltat de Descodificació - + Reset all decode highlighting and priorities to default values Restableix tot el ressaltat i les prioritats de descodificació als valors predeterminats - + WSJT-X Decoded Text Font Chooser Tipus de text de pantalla de descodificació WSJT-X - + Load Working Frequencies Càrrega les freqüències de treball - - - + + + Frequency files (*.qrg);;All files (*.*) Arxius de freqüència (*.qrg);;Tots els arxius (*.*) - + Replace Working Frequencies Substitueix les freqüències de treball - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? Segur que vols descartar les teves freqüències actuals de treball i reemplaçar-les per les carregades ? - + Merge Working Frequencies Combina les freqüències de treball - - - + + + Not a valid frequencies file L'arxiu de freqüències no és vàlid - + Incorrect file magic L'arxiu màgic es incorrecte - + Version is too new La versió és massa nova - + Contents corrupt Continguts corruptes - + Save Working Frequencies Desa les freqüències de treball - + Only Save Selected Working Frequencies Desa només les freqüències de treball seleccionades - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. Estàs segur que vols desar només les freqüències de treball seleccionades actualment? Fes clic a No per desar-ho tot. - + Reset Working Frequencies Restablir les freqüències de treball - + Are you sure you want to discard your current working frequencies and replace them with default ones? Segur que vols descartar les teves freqüències actuals de treball i reemplaçar-les per altres? - + Save Directory Directori de Guardar - + AzEl Directory Directori AzEl - + Rig control error Error de control de l'equip - + Failed to open connection to rig No s'ha pogut obrir la connexió al equip - + Rig failure Fallada en l'equip @@ -1446,22 +1451,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency Afedueix Freqüència - + IARU &Region: Regió &IARU: - + &Mode: &Mode: - + &Frequency (MHz): &Freqüència en MHz.: @@ -1469,26 +1474,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region Regió IARU - - + + Mode Mode - - + + Frequency Freqüència - - + + Frequency (MHz) Freqüència en MHz @@ -2080,12 +2085,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity Activitat a la banda @@ -2097,11 +2103,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency Freqüència de RX @@ -2136,122 +2143,137 @@ Error(%2): %3 Activació / desactivació del control de monitorització - + &Monitor &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>Esborra la finestra dreta, fes doble clic per esborrar les dues finestres.</p></body></html> - + Erase right window. Double-click to erase both windows. Esborra la finestra dreta, fes doble clic per esborrar les dues finestres. - + &Erase &Esborrar - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>Neteja la mitjana de missatges acumulats.</p></body></html> - + Clear the accumulating message average. Neteja la mitjana de missatges acumulats. - + Clear Avg Esborra mitjana - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>Descodificar el període de RX més recent en la freqüència de QSO</p></body></html> - + Decode most recent Rx period at QSO Frequency Descodificar el període de RX més recent en la freqüència de QSO - + &Decode &Descodificar - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>Activar/Desactivar TX</p></body></html> - + Toggle Auto-Tx On/Off Activar/Desactivar TX - + E&nable Tx A&ctivar TX - + Stop transmitting immediately Deixa de transmetre immediatament - + &Halt Tx Aturar &TX - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>Activa/Desactiva el to de TX pur per a sintonització</p></body></html> - + Toggle a pure Tx tone On/Off Activa/Desactiva el to TX pur per a sintonització - + &Tune &Sintonitzar - + Menus Menús - + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency freqüència de dial USB - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>30dB recomanat quan només hi ha soroll,<br/>en Verd és un bon nivell,<br/>en Vermell és poden produir retalls, i<br/>en Groc quan és massa baix.</p></body></html> - + Rx Signal Senyal de RX - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2262,338 +2284,344 @@ en Vermell és poden produir retalls i en Groc quan és massa baix - + DX Call Indicatiu DX - + DX Grid Locator DX - + Callsign of station to be worked Indiatiu de l'estació per ser treballada - + Search for callsign in database Buscar el indicatiu a la base de dades - + &Lookup &Cercar - + Locator of station to be worked Locator de l'estació a treballar - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database Afegir indicatiu i locator a la base de dades - + Add Afegir - + Pwr Potència - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>Si hi ha hagut un error en el control de l'equip, fes clic per restablir i llegir la freqüència del dial. S implica mode dividit o split.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. Si hi ha hagut un error en el control de l'equip, fes clic per restablir i llegir la freqüència del dial. S implica mode dividit o split. - + ? ? - + Adjust Tx audio level Ajust del nivell d'àudio de TX - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>Selecciona la banda operativa, introdueix la freqüència en MHz o introdueix un increment de kHz seguit de k.</p></body></html> - + Frequency entry Freqüència d'entrada - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. Selecciona la banda operativa, introdueix la freqüència en MHz o introdueix un increment de kHz seguit de k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>Marca per que es mantingui la freqüència de TX fixada quan facis doble clic sobre un text descodificat.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. Marca per que es mantingui la freqüència de TX fixada quan facis doble clic sobre un text descodificat. - + Hold Tx Freq Manté TX Freq - + Audio Rx frequency Freqüència d'Àudio en RX - - - + + + + + Hz Hz - + + Rx RX - + + Set Tx frequency to Rx Frequency Estableix la freqüència de RX en la de TX - + - + Frequency tolerance (Hz) Freqüència de Tolerància (Hz) - + + F Tol F Tol - + + Set Rx frequency to Tx Frequency Estableix la freqüència de TX en la de RX - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>Sincronització del llindar. Els nombres més baixos accepten senyals de sincronització més febles.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. Sincronització del llindar. Els nombres més baixos accepten senyals de sincronització més febles. - + Sync Sinc - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>Marcar per utilitzar missatges de format curt.</p></body></html> - + Check to use short-format messages. Marcar per utilitzar missatges de format curt. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>Comprova que actives els modes ràpids JT9</p></body></html> - + Check to enable JT9 fast modes Comprova que actives els modes ràpids JT9 - - + + Fast Ràpid - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>Activa la seqüència automàtica dels missatges de TX en funció dels missatges rebuts.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. Activa la seqüència automàtica dels missatges de TX en funció dels missatges rebuts. - + Auto Seq Seqüència Automàtica - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>Contesta al primer CQ descodificat.</p></body></html> - + Check to call the first decoded responder to my CQ. Contesta al primer CQ descodificat. - + Call 1st Contesta al primer CQ - + Check to generate "@1250 (SEND MSGS)" in Tx6. Marca per generar "@1250 (SEND MSGS)" a TX6. - + Tx6 TX6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>Marca a TX en minuts o seqüències de números parells, a partir de 0; desmarca les seqüències senars.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. Marca a TX en minuts o seqüències de números parells, a partir de 0; desmarca les seqüències senars. - + Tx even/1st Alternar període TX Parell/Senar - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>Freqüència per cridar CQ en kHz per sobre dels MHz actuals</p></body></html> - + Frequency to call CQ on in kHz above the current MHz Freqüència per cridar CQ en kHz per sobre dels MHz actuals - + Tx CQ TX CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>Marca això per trucar a CQ a la freqüència &quot;TX CQ&quot;. RX serà a la freqüència actual i el missatge CQ inclourà la freqüència de RX actual perquè els corresponsals sàpiguen a quina freqüència respondre.</p><p>No està disponible per als titulars de indicatiu no estàndard.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. Marca això per trucar a CQ a la freqüència "TX CQ". RX serà a la freqüència actual i el missatge CQ inclourà la freqüència de RX actual perquè els corresponsals sàpiguen a quina freqüència respondre. No està disponible per als titulars de indicatiu no estàndard. - + Rx All Freqs RX a totes les freqüències - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>La submode determina l'espai entre tons; A és més estret.</p></body></html> - + Submode determines tone spacing; A is narrowest. La submode determina l'espai entre tons; A és més estret. - + Submode Submode - - + + Fox Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Marca per monitoritzar els missatges Sh.</p></body></html> - + Check to monitor Sh messages. Marca per monitoritzar els missatges Sh. - + SWL SWL - + Best S+P El millor S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>Marca per començar a enregistrar dades de calibració.<br/>Mentre es mesura la correcció de calibratge, es desactiva.<br/>Si no està marcat, pots veure els resultats de la calibració.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2602,204 +2630,206 @@ Mentre es mesura la correcció de calibratge, es desactiva. Si no està marcat, pots veure els resultats de la calibració. - + Measure Mesura - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>Informe de senyal: Relació senyal/soroll en amplada de banda de referència de 2500 Hz (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). Informe de senyal: Relació senyal/soroll en amplada de banda de referència de 2500 Hz (dB). - + Report Informe de senyal - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>TX/RX o Longitud de la seqüència de calibratge de la freqüència</p></body></html> - + Tx/Rx or Frequency calibration sequence length TX/RX o Longitud de la seqüència de calibratge de la freqüència - + + s s - + + T/R T/R - + Toggle Tx mode Commuta el mode TX - + Tx JT9 @ TX JT9 @ - + Audio Tx frequency Freqüència d'àudio de TX - - + + Tx TX - + Tx# TX# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>Fes doble clic sobre un altre estació per posar a la cua en la trucada per al teu proper QSO.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. Fes doble clic sobre un altre estació per posar a la cua en la trucada per al teu proper QSO. - + Next Call Proper Indicatiu - + 1 1 - - - + + + Send this message in next Tx interval Envia aquest missatge al següent interval de TX - + Ctrl+2 Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Envia aquest missatge al següent interval de TX.</p><p>Fes doble clic per canviar l’ús del missatge TX1 per iniciar un QSO amb una estació (no està permès per a titulars de indicatius compostos de tipus 1).</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Envia aquest missatge al següent interval de TX. Fes doble clic per canviar l’ús del missatge TX1 per iniciar un QSO amb una estació (no està permès per a titulars de indicatius compostos de tipus 1) - + Ctrl+1 Ctrl+1 - - - - + + + + Switch to this Tx message NOW Canvia a aquest missatge de TX ARA - + Tx &2 TX &2 - + Alt+2 Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Canvia a aquest missatge de TX ARA.</p><p>Fes doble clic per canviar l’ús del missatge TX1 per iniciar un QSO amb una estació (no està permès per a titulars de indicatius compostos de tipus 1).</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Canvia a aquest missatge de TX ARA. Fes doble clic per canviar l’ús del missatge TX1 per iniciar un QSO amb una estació (no està permès per a titulars de indicatius compostos de tipus 1) - + Tx &1 TX &1 - + Alt+1 Alt+1 - + Ctrl+6 Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Envia aquest missatge al següent interval de TX.</p><p>Fes doble clic per restablir el missatge estàndard 73.</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message Envia aquest missatge al següent interval de TX. Fes doble clic per restablir el missatge estàndard 73 - + Ctrl+5 Ctrl+5 - + Ctrl+3 Ctrl+3 - + Tx &3 TX &3 - + Alt+3 Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Envia aquest missatge al següent interval de TX.</p><p>Fes doble clic per alternar entre els missatges RRR i RR73 a TX4 (no està permès per a titulars d'indicatius compostos del tipus 2)</p><p>Els missatges RR73 només s’han d’utilitzar quan teniu una confiança raonable que no caldrà repetir cap missatge.</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2808,17 +2838,17 @@ Fes doble clic per alternar entre els missatges RRR i RR73 a TX4 (no està perm Els missatges RR73 només s’han d’utilitzar quan teniu una confiança raonable que no caldrà repetir cap missatge - + Ctrl+4 Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Canvia a aquest missatge de TX ARA.</p><p>Fes doble clic per alternar entre els missatges RRR i RR73 a TX4 (no està permès per a titulars d'indicatius compostos del tipus 2)</p><p>Els missatges RR73 només s’han d’utilitzar quan teniu una confiança raonable que no caldrà repetir cap missatge.</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2827,65 +2857,64 @@ Fes doble clic per alternar entre els missatges RRR i RR73 a TX4 (no està perm Els missatges RR73 només s’han d’utilitzar quan teniu una confiança raonable que no caldrà repetir cap missatge - + Tx &4 TX &4 - + Alt+4 Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Canvia a aquest missatge de TX ARA.</p><p>Fes doble clic per restablir el missatge estàndard 73.</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message Canvia a aquest missatge de TX ARA. Fes doble clic per restablir el missatge estàndard 73 - + Tx &5 TX &5 - + Alt+5 Alt+5 - + Now Ara - + Generate standard messages for minimal QSO Genera missatges estàndard per a un QSO mínim - + Generate Std Msgs Generar Std Msgs - + Tx &6 TX &6 - + Alt+6 Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2896,1074 +2925,1099 @@ Prem ENTER per afegir el text actual a la llista predefinida La llista es pot mantenir a la configuració (F2). - + Queue up the next Tx message Posa a la cua el següent missatge de TX - + Next Pròxim - + 2 2 - + + FST4W + + + Calling CQ - Cridant a CQ + Cridant a CQ - Generate a CQ message - Genera un missatge CQ + Genera un missatge CQ - - - + + CQ CQ - Generate message with RRR - Genera un missatge amb RRR + Genera un missatge amb RRR - RRR - RRR + RRR - Generate message with report - Generar un missatge amb Informe de senyal + Generar un missatge amb Informe de senyal - dB - dB + dB - Answering CQ - Respondre un CQ + Respondre un CQ - Generate message for replying to a CQ - Generar un missatge per respondre a un CQ + Generar un missatge per respondre a un CQ - - + Grid Locator - Generate message with R+report - Generar un missatge amb R+Informe de senyal + Generar un missatge amb R+Informe de senyal - R+dB - R+dB + R+dB - Generate message with 73 - Generar un missatge amb 73 + Generar un missatge amb 73 - 73 - 73 + 73 - Send this standard (generated) message - Envia aquest missatge estàndard (generat) + Envia aquest missatge estàndard (generat) - Gen msg - Gen msg + Gen msg - Send this free-text message (max 13 characters) - Envia aquest missatge de text lliure (màxim 13 caràcters) + Envia aquest missatge de text lliure (màxim 13 caràcters) - Free msg - Msg Lliure + Msg Lliure - 3 - 3 + 3 - + Max dB Màx dB - + CQ AF CQ AF - + CQ AN CQ AN - + CQ AS CA AS - + CQ EU CQ EU - + CQ NA CQ NA - + CQ OC CQ OC - + CQ SA CQ SA - + CQ 0 CQ 0 - + CQ 1 CQ 1 - + CQ 2 CQ 2 - + CQ 3 CQ 3 - + CQ 4 CQ 3 - + CQ 5 CQ 4 - + CQ 6 CQ 6 - + CQ 7 CQ 7 - + CQ 8 CQ 8 - + CQ 9 CQ 9 - + Reset Restablir - + N List N List - + N Slots N Slots - - + + + + + + + Random a l’atzar - + Call Indicatiu - + S/N (dB) S/N (dB) - + Distance Distància - + More CQs Més CQ's - Percentage of 2-minute sequences devoted to transmitting. - Percentatge de seqüències de 2 minuts dedicades a la transmissió. + Percentatge de seqüències de 2 minuts dedicades a la transmissió. - + + % % - + Tx Pct TX Pct - + Band Hopping Salt de Banda - + Choose bands and times of day for band-hopping. Tria bandes i hores del dia per al salt de bandes. - + Schedule ... Programació ... + 1/2 - 1/2 + 1/2 + 2/2 - 2/2 + 2/2 + 1/3 - 1/3 + 1/3 + 2/3 - 2/3 + 2/3 + 3/3 - 3/3 + 3/3 + 1/4 - 1/4 + 1/4 + 2/4 - 2/4 + 2/4 + 3/4 - 3/4 + 3/4 + 4/4 - 4/4 + 4/4 + 1/5 - 1/5 + 1/5 + 2/5 - 2/5 + 2/5 + 3/5 - 3/5 + 3/5 + 4/5 - 4/5 + 4/5 + 5/5 - 5/5 + 5/5 + 1/6 - 1/6 + 1/6 + 2/6 - 2/6 + 2/6 + 3/6 - 3/6 + 3/6 + 4/6 - 4/6 + 4/6 + 5/6 - 5/6 + 5/6 + 6/6 - 6/6 + 6/6 - + Upload decoded messages to WSPRnet.org. Carrega missatges descodificats a WSPRnet.org. - + Upload spots Carrega Spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>Els locator de 6 dígits fan que s’enviïn 2 missatges diferents, el segon conté el locator complet, però només un indicatiu trossejat, les altres estacions han d’haver descodificat el primer una vegada abans de poder descodificar el segon. Marca aquesta opció per enviar només locators de 4 dígits i s’evitarà el protocol de dos missatges.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. Els locator de 6 dígits fan que s’enviïn 2 missatges diferents, el segon conté el locator complet, però només un indicatiu trossejat, les altres estacions han d’haver descodificat el primer una vegada abans de poder descodificar el segon. Marca aquesta opció per enviar només locators de 4 dígits i s’evitarà el protocol de dos missatges. + + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + FT240W FT240W - Prefer type 1 messages - Prefereixes missatges de tipus 1 + Prefereixes missatges de tipus 1 - + No own call decodes No es descodifica cap indicatiu pròpi - Transmit during the next 2-minute sequence. - Transmetre durant la següent seqüència de 2 minuts. + Transmetre durant la següent seqüència de 2 minuts. - + Tx Next Proper TX - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. Configura la potència de TX en dBm (dB per sobre d'1 mW) com a part del vostre missatge WSPR. - + + NB + + + + File Arxiu - + View Veure - + Decode Descodificar - + Save Guardar - + Help Ajuda - + Mode Mode - + Configurations Configuracions - + Tools Eines - + Exit Sortir - Configuration - Ajustos + Ajustos - F2 - F2 + F2 - + About WSJT-X Quant a WSJT-X - + Waterfall Cascada - + Open Obrir - + Ctrl+O Ctrl+O - + Open next in directory Obre el següent directori - + Decode remaining files in directory Descodificar els arxius restants al directori - + Shift+F6 Maj.+F6 - + Delete all *.wav && *.c2 files in SaveDir Esborrar tots els arxius *.wav i *.c2 - + None Cap - + Save all Guardar-ho tot - + Online User Guide Guia d'usuari online - + Keyboard shortcuts Dreceres de teclat - + Special mouse commands Ordres especials del ratolí - + JT9 JT9 - + Save decoded Guarda el descodificat - + Normal Normal - + Deep Profunda - Monitor OFF at startup - Monitor apagat a l’inici + Monitor apagat a l’inici - + Erase ALL.TXT Esborrar l'arxiu ALL.TXT - + Erase wsjtx_log.adi Esborrar l'arxiu wsjtx_log.adi - Convert mode to RTTY for logging - Converteix el mode a RTTY després de registrar el QSO + Converteix el mode a RTTY després de registrar el QSO - Log dB reports to Comments - Posa els informes de recepció en dB als comentaris + Posa els informes de recepció en dB als comentaris - Prompt me to log QSO - Inclòure el QSO al log + Inclòure el QSO al log - Blank line between decoding periods - Línia en blanc entre els períodes de descodificació + Línia en blanc entre els períodes de descodificació - Clear DX Call and Grid after logging - Neteja l'indicatiu i la graella de DX després de registrar el QSO + Neteja l'indicatiu i la graella de DX després de registrar el QSO - Display distance in miles - Distància en milles + Distància en milles - Double-click on call sets Tx Enable - Fes doble clic als conjunts d'indicatius d'activar TX + Fes doble clic als conjunts d'indicatius d'activar TX - - + F7 F7 - Tx disabled after sending 73 - TX desactivat després d’enviar 73 + TX desactivat després d’enviar 73 - - + Runaway Tx watchdog Seguretat de TX - Allow multiple instances - Permetre diverses instàncies + Permetre diverses instàncies - Tx freq locked to Rx freq - TX freq bloquejat a RX freq + TX freq bloquejat a RX freq - + JT65 JT65 - + JT9+JT65 JT9+JT65 - Tx messages to Rx Frequency window - Missatges de TX a la finestra de freqüència de RX + Missatges de TX a la finestra de freqüència de RX - Gray1 - Gris1 + Gris1 - Show DXCC entity and worked B4 status - Mostra l'entitat DXCC i l'estat de B4 treballat + Mostra l'entitat DXCC i l'estat de B4 treballat - + Astronomical data Dades astronòmiques - + List of Type 1 prefixes and suffixes Llista de prefixos i sufixos de tipus 1 - + Settings... Configuració... - + Local User Guide Guia d'usuari local - + Open log directory Obre el directori del log - + JT4 JT4 - + Message averaging Mitjana de missatges - + Enable averaging Activa la mitjana - + Enable deep search Activa la cerca profunda - + WSPR WSPR - + Echo Graph Gràfic d'Eco - + F8 F8 - + Echo Eco - + EME Echo mode Mode EME Eco - + ISCAT ISCAT - + Fast Graph Gràfic ràpid - + F9 F9 - + &Download Samples ... &Descarrega mostres ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>Descarrega els arxius d’àudio d’exemple mostrant els diversos modes.</p></body></html> - + MSK144 MSK144 - + QRA64 QRA64 - + Release Notes Notes de llançament - + Enable AP for DX Call Habilita AP per al indicatiu de DX - + FreqCal FreqCal - + Measure reference spectrum Mesura l’espectre de referència - + Measure phase response Mesura la resposta en fase - + Erase reference spectrum Esborra l'espectre de referència - + Execute frequency calibration cycle Executa el cicle de calibració de freqüència - + Equalization tools ... Eines d'equalització ... - WSPR-LF - WSPR-LF + WSPR-LF - Experimental LF/MF mode - Mode experimental LF/MF + Mode experimental LF/MF - + FT8 FT8 - - + + Enable AP Activa AP - + Solve for calibration parameters Resol els paràmetres de calibratge - + Copyright notice Avís de drets d’autor - + Shift+F1 Maj.+F1 - + Fox log Log Fox - + FT8 DXpedition Mode User Guide Guia de l'usuari del mode DXpedition a FT8 - + Reset Cabrillo log ... Restableix el log de Cabrillo ... - + Color highlighting scheme Esquema de ressaltar el color - Contest Log - Log de Concurs + Log de Concurs - + Export Cabrillo log ... Exporta el log de Cabrillo ... - Quick-Start Guide to WSJT-X 2.0 - Guia d'inici ràpid a WSJT-X 2.0 + Guia d'inici ràpid a WSJT-X 2.0 - + Contest log Log de Concurs - + Erase WSPR hashtable Esborra la taula WSPR - + FT4 FT4 - + Rig Control Error Error del control del equip - - - + + + Receiving Rebent - + Do you want to reconfigure the radio interface? Vols reconfigurar la interfície de la ràdio ? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log Error d'escaneig del log ADIF - + Scanned ADIF log, %1 worked before records created Log ADIF escanejat, %1 funcionava abans de la creació de registres - + Error Loading LotW Users Data S'ha produït un error al carregar les dades dels usuaris de LotW - + Error Writing WAV File S'ha produït un error al escriure l'arxiu WAV - + Configurations... Configuracions... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message Missatge - + Error Killing jt9.exe Process Error en matar el procés jt9.exe - + KillByName return code: %1 Codi de retorn de KillByName: %1 - + Error removing "%1" Error en eliminar "%1" - + Click OK to retry Fes clic a D'acord per tornar-ho a provar - - + + Improper mode Mode inadequat - - + + File Open Error Error al obrir l'arxiu - - - - - + + + + + Cannot open "%1" for append: %2 No es pot obrir "%1" per annexar: %2 - + Error saving c2 file Error en desar l'arxiu c2 - + Error in Sound Input Error a la entrada de so - + Error in Sound Output Error en la sortida de so - - - + + + Single-Period Decodes Descodificacions d'un sol període - - - + + + Average Decodes Mitjans descodificats - + Change Operator Canvi d'Operador - + New operator: Operador Nou: - + Status File Error Error d'estat de l'arxiu - - + + Cannot open "%1" for writing: %2 No es pot obrir "%1" per escriure: %2 - + Subprocess Error Error de subprocés - + Subprocess failed with exit code %1 Ha fallat el subprocés amb el codi de sortida %1 - - + + Running: %1 %2 Corrent: %1 %2 - + Subprocess error Error de subprocés - + Reference spectrum saved Guarda l'espectre de referència - + Invalid data in fmt.all at line %1 Les dades no són vàlides a fmt.all a la línia %1 - + Good Calibration Solution Solució de bona calibració - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3976,17 +4030,17 @@ La llista es pot mantenir a la configuració (F2). %9%L10 Hz</pre> - + Delete Calibration Measurements Suprimeix les mesures de calibració - + The "fmt.all" file will be renamed as "fmt.bak" L'arxiu "fmt.all" serà renombrat com a "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." @@ -3994,27 +4048,27 @@ La llista es pot mantenir a la configuració (F2). "Els algoritmes, codi font, aspecte de WSJT-X i programes relacionats i les especificacions de protocol per als modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 són Copyright (C) 2001-2020 per un o més dels següents autors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q i altres membres del grup de desenvolupament de WSJT. " - + No data read from disk. Wrong file format? No es llegeixen dades del disc. Format de l'arxiu incorrecte ? - + Confirm Delete Confirma Esborrar - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? Estàs segur que vols esborrar tots els arxius *.wav i *.c2"%1" ? - + Keyboard Shortcuts Dreceres de teclat - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -4064,12 +4118,12 @@ La llista es pot mantenir a la configuració (F2). - + Special Mouse Commands Ordres especials del ratolí - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -4080,7 +4134,7 @@ La llista es pot mantenir a la configuració (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -4088,10 +4142,10 @@ La llista es pot mantenir a la configuració (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4105,42 +4159,42 @@ La llista es pot mantenir a la configuració (F2). - + No more files to open. No s’obriran més arxius. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. Tria una altra freqüència de TX. El WSJT-X no transmetrà de manera conscient un altre mode a la sub-banda WSPR a 30 m. - + WSPR Guard Band Banda de Guàrdia WSPR - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. Tria una altra freqüència de treball. WSJT-X no funcionarà en mode Fox a les sub-bandes FT8 estàndard. - + Fox Mode warning Avís de mode Fox - + Last Tx: %1 Últim TX: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4151,183 +4205,182 @@ Per fer-ho, comprova "Activitat operativa especial" i Concurs EU VHF a la Configuració | Pestanya avançada. - + Should you switch to ARRL Field Day mode? Has de canviar al mode de Field Day de l'ARRL ? - + Should you switch to RTTY contest mode? Has de canviar al mode de concurs RTTY? - - - - + + + + Add to CALL3.TXT Afegeix a CALL3.TXT - + Please enter a valid grid locator Introduïu un locator vàlid - + Cannot open "%1" for read/write: %2 No es pot obrir "%1" per llegir o escriure: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 ja és a CALL3.TXT, vols substituir-lo ? - + Warning: DX Call field is empty. Avís: el camp de indicatiu DX està buit. - + Log file error Error a l'arxiu de log - + Cannot open "%1" No es pot obrir "%1" - + Error sending log to N1MM Error al enviar el log a N1MM - + Write returned "%1" Escriptura retornada "%1" - + Stations calling DXpedition %1 Estacions que criden a DXpedition %1 - + Hound Hound - + Tx Messages Missatges de TX - - - + + + Confirm Erase Confirma Esborrar - + Are you sure you want to erase file ALL.TXT? Estàs segur que vols esborrar l'arxiu ALL.TXT ? - - + + Confirm Reset Confirma que vols Restablir - + Are you sure you want to erase your contest log? Estàs segur que vols esborrar el log del concurs ? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. Si fas això, suprimiràs tots els registres de QSO del concurs actual. Es conservaran a l'arxiu de log ADIF, però no es podran exportar al log de Cabrillo. - + Cabrillo Log saved Log Cabrillo desat - + Are you sure you want to erase file wsjtx_log.adi? Estàs segur que vols esborrar l'arxiu wsjtx_log.adi ? - + Are you sure you want to erase the WSPR hashtable? Estàs segur que vols esborrar la taula del WSPR ? - VHF features warning - Les característiques de VHF tenen un avís + Les característiques de VHF tenen un avís - + Tune digital gain Guany de sintonització digital - + Transmit digital gain Guany digital de transmissió - + Prefixes Prefixos - + Network Error Error de xarxa - + Error: %1 UDP server %2:%3 Error: %1 UDP server %2:%3 - + File Error Error a l'arxiu - + Phase Training Disabled Entrenament de fase Desactivat - + Phase Training Enabled Entrenament de fase activat - + WD:%1m WD:%1m - - + + Log File Error Error a l'arxiu de log - + Are you sure you want to clear the QSO queues? Estàs segur que vols esborrar les cues de QSO ? @@ -4349,8 +4402,8 @@ UDP server %2:%3 Modes - - + + Mode Mode @@ -4507,7 +4560,7 @@ UDP server %2:%3 No s'ha pogut obrir l'arxiu CSV dels usuaris de LotW: '%1' - + OOB OOB @@ -4694,7 +4747,7 @@ Error(%2): %3 Error no recuperable, el dispositiu d'entrada d'àudio no es pot utilitzar ara. - + Requested input audio format is not valid. El format sol·licitat d'àudio d'entrada no és vàlid. @@ -4704,37 +4757,37 @@ Error(%2): %3 El format d'àudio d'entrada sol·licitat no és compatible amb el dispositiu. - + Failed to initialize audio sink device Error a l'inicialitzar el dispositiu de descarrega d'àudio - + Idle Inactiu - + Receiving Rebent - + Suspended Suspès - + Interrupted Interromput - + Error Error - + Stopped Aturat @@ -4742,62 +4795,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. S'ha produït un error obrint el dispositiu de sortida d'àudio. - + An error occurred during write to the audio output device. S'ha produït un error escribint en el dispositiu de sortida d'àudio. - + Audio data not being fed to the audio output device fast enough. Les dades d'àudio no s'envien al dispositiu de sortida d'àudio prou ràpid. - + Non-recoverable error, audio output device not usable at this time. Error no recuperable, dispositiu de sortida d'àudio no utilitzable ara. - + Requested output audio format is not valid. El format sol·licitat d'àudio de sortida no és vàlid. - + Requested output audio format is not supported on device. El format sol·licitat d'àudio de sortida no és compatible amb el dispositiu. - + + No audio output device configured. + + + + Idle Inactiu - + Sending Enviant - + Suspended Suspès - + Interrupted Interromput - + Error Error - + Stopped Aturat @@ -4805,22 +4863,22 @@ Error(%2): %3 StationDialog - + Add Station Afegir estació - + &Band: &Banda: - + &Offset (MHz): &Desplaçament en MHz: - + &Antenna: &Antena: @@ -5008,19 +5066,23 @@ Error(%2): %3 <html><head/><body><p>Decode JT9 only above this frequency</p></body></html> <html><head/><body><p>Descodificar JT9 només per sobre d’aquesta freqüència</p></body></html> - - Hz - Hz - - JT9 - JT9 + Hz + Hz + Split + + + + JT9 + JT9 + + JT65 - JT65 + JT65 @@ -5054,6 +5116,29 @@ Error(%2): %3 Llegiu Paleta + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5252,9 +5337,8 @@ Error(%2): %3 minuts - Enable VHF/UHF/Microwave features - Activa les funcions de VHF/UHF/Microones + Activa les funcions de VHF/UHF/Microones @@ -5371,7 +5455,7 @@ període tranquil quan es fa la descodificació. - + Port: Port: @@ -5382,137 +5466,149 @@ període tranquil quan es fa la descodificació. + Serial Port Parameters Paràmetres de port sèrie - + Baud Rate: Velocitat de transmissió: - + Serial port data rate which must match the setting of your radio. Velocitat de dades del port sèrie que ha de coincidir amb la configuració del equip. - + 1200 1200 - + 2400 2400 - + 4800 4800 - + 9600 9600 - + 19200 19200 - + 38400 38400 - + 57600 57600 - + 115200 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>Nombre de bits de dades utilitzats per a comunicar-se amb la interfície CAT del equip (generalment vuit).</p></body></html> - + + Data bits + + + + Data Bits Bits de dades - + D&efault &Per defecte - + Se&ven S&et - + E&ight V&uit - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>Nombre de bits de parada utilitzats per a comunicar-se amb la interfície CAT del equip</p><p>(consulta el manual del equip per a més detalls).</p></body></html> - + + Stop bits + + + + Stop Bits Bits de parada - - + + Default Per defecte - + On&e U&n - + T&wo D&os - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocol de control de flux que s’utilitza entre aquest ordinador i la interfície CAT del equip (generalment &quot;Cap&quot; però alguns requereixen &quot;Maquinari&quot;).</p></body></html> - + + Handshake Handshake - + &None &Cap - + Software flow control (very rare on CAT interfaces). Control de flux de programari (molt rar a les interfícies CAT). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5521,79 +5617,85 @@ no s’utilitza sovint, però alguns equips ho tenen com a opció i uns pocs, particularment alguns equips de Kenwood, ho requereixen. - + &Hardware Ma&quinari - + Special control of CAT port control lines. Control especial de les línies de control de ports CAT. - + + Force Control Lines Línies de control de força - - + + High Alt - - + + Low Baix - + DTR: DTR: - + RTS: RTS: + + + Days since last upload + + How this program activates the PTT on your radio missing ? Com activa aquest programa el PTT al vostre equip - + How this program activates the PTT on your radio? Com activa aquest programa el PTT del teu equip ? - + PTT Method Mètode PTT - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>No hi ha cap activació PTT, en canvi, el VOX automàtic de l'equip s'utilitza per teclejar el transmissor.</p><p>Fes-la servir si no tens maquinari d'interfície de l'equip.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>Utilitza la línia de control RS-232 DTR per alternar el PTT del teu equip, requereix maquinari per interconnectar la línia.</p><p>Algunes unitats d'interfície comercial també utilitzen aquest mètode.</p><p>Es pot utilitzar la línia de control DTR del port sèrie CAT o es pot utilitzar una línia de control DTR en un port sèrie diferent.</p></body></html> - + &DTR &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5602,47 +5704,47 @@ utilitza aquesta opció si l'equip li dóna suport i no en tens cap altra interfície de maquinari per a PTT. - + C&AT C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>Utilitza la línia de control RS-232 RTS per canviar el PTT del teu equip, requereix que el maquinari interfereixi a la línia.</p><p>Algunes unitats d'interfície comercial també utilitzen aquest mètode.</p><p>Es pot utilitzar la línia de control RTS del port sèrie CAT o es pot utilitzar una línia de control RTS en un port sèrie diferent. Tingues en compte que aquesta opció no està disponible al port sèrie CAT quan s'utilitza el control del flux de maquinari.</p></body></html> - + R&TS R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>Selecciona el port sèrie RS-232 utilitzat per al control PTT, aquesta opció està disponible quan es selecciona DTR o RTS a dalt com a mètode de transmissió.</p><p>Aquest port pot ser el que s'utilitza per al control CAT.</p><p>Per a alguns tipus d'interfície es pot triar el valor especial CAT, aquest s'utilitza per a interfícies CAT no serials que puguin controlar les línies de control de ports sèrie de forma remota (per exemple, OmniRig).</p></body></html> - + Modulation mode selected on radio. Mode de modulació seleccionat al equip. - + Mode Mode - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>USB sol ser el mode de modulació correcte,</p><p>tret que l'equip tingui una configuració especial del mode de dades o paquets</p><p>per a l’operació AFSK.</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5651,23 +5753,23 @@ or bandwidth is selected). o es selecciona l'ample de banda). - - + + None Cap - + If this is available then it is usually the correct mode for this program. Si està disponible, normalment és el mode correcte per a aquest programa. - + Data/P&kt Dades/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5676,52 +5778,52 @@ aquest paràmetre et permet seleccionar quina entrada d'àudio s'utili (si està disponible, en general, l'opció posterior/dades és la millor). - + Transmit Audio Source Font d’àudio de transmissió - + Rear&/Data Part posterior&/dades - + &Front/Mic &Frontal/Micròfon - + Rig: Equip: - + Poll Interval: Interval de sondeig: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>Interval del sondeig de l'equip per a l'estat. Intervals més llargs significa que els canvis a l'equip triguen més a detectar-se.</p></body></html> - + s s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>Intenta connectar-te a l'equip amb aquests paràmetres.</p><p>El botó es posarà de color verd si la connexió és correcta o vermella si hi ha algun problema.</p></body></html> - + Test CAT Prova de CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5734,47 +5836,47 @@ Comprova que hi hagi alguna indicació de TX a l'equip i el teu interfície de ràdio funcioni correctament. - + Test PTT Prova PTT - + Split Operation Operació Split - + Fake It Falseja-ho - + Rig Equip - + A&udio À&udio - + Audio interface settings Configuració de la interfície d'àudio - + Souncard Targeta de so - + Soundcard Targeta de so - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5787,46 +5889,46 @@ desactivats, en cas contrari emetreu els sons del sistema generats durant els períodes de transmissió. - + Select the audio CODEC to use for receiving. Selecciona el CODEC d'àudio que cal utilitzar per rebre. - + &Input: &Entrada: - + Select the channel to use for receiving. Selecciona el canal a utilitzar per a rebre. - - + + Mono Mono - - + + Left Esquerra - - + + Right Dreta - - + + Both Tots dos - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5837,110 +5939,115 @@ canals, llavors normalment voldràs seleccionar mono o els dos canals. - + + Enable VHF and submode features + + + + Ou&tput: Sor&tida: - - + + Save Directory Directori de Guardar - + Loc&ation: Ubic&ació: - + Path to which .WAV files are saved. Ruta a la qual es desen els arxius .WAV. - - + + TextLabel Etiqueta de text - + Click to select a different save directory for .WAV files. Fes clic per seleccionar un directori diferent per desar els arxius .WAV. - + S&elect Sele&cciona - - + + AzEl Directory Directori AzEl - + Location: Ubicació: - + Select Selecciona - + Power Memory By Band Memòria de potència per banda - + Remember power settings by band Recorda els ajustos de potència per banda - + Enable power memory during transmit Habilita la memòria de potència durant la transmissió - + Transmit Transmetre - + Enable power memory during tuning Habilita la memòria de potència durant la sintonització - + Tune Sintonitzar - + Tx &Macros &Macros de TX - + Canned free text messages setup Configuració de missatges de text lliures - + &Add &Afegir - + &Delete &Esborrar - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5949,37 +6056,37 @@ Fes clic amb el botó dret per a les accions específiques de l’element. Fes clic, MAJ. + clic i, CTRL+clic per seleccionar els elements - + Reportin&g Informe&s - + Reporting and logging settings Configuració d'informes i registres - + Logging Registres - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. El programa apareixerà un diàleg de QSO de registre parcialment completat quan enviïs un missatge de text 73 o lliure. - + Promp&t me to log QSO Regis&tra el QSO - + Op Call: Indicatiu de l'Operador: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5990,49 +6097,49 @@ Comprova aquesta opció per desar els informes enviats i rebuts al camp de comentaris. - + d&B reports to comments informa dels d&B's als comentaris - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. Marca aquesta opció per a forçar l'eliminació dels camps Indicatiu DX i Locator DX quan s’envia un missatge de text 73 o lliure. - + Clear &DX call and grid after logging Buida les graelles Indicatiu DX i Locator &DX després del registre - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>Alguns programes de log no accepten noms del mode WSJT-X.</p></body></html> - + Con&vert mode to RTTY Con&verteix el mode a RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>L'Indicatiu de l'operador, si és diferent del indicatiu de l'estació.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>Marca perquè els QSO's es registrin automàticament, quan es completin.</p></body></html> - + Log automatically (contesting only) Log automàtic (només concurs) - + Network Services Serveis de xarxa @@ -6047,512 +6154,548 @@ S'utilitza per a l'anàlisi de balises inverses, que és molt útil per avaluar la propagació i el rendiment del sistema. - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + Enable &PSK Reporter Spotting Activa &PSK Reporter - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server Servidor UDP - + UDP Server: Servidor UDP: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>Nom de l'amfitrió opcional del servei de xarxa per rebre descodificacions.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Nom d'amfitrió</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">adreça IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">adreça IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Adreça de grup multicast IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Adreça de grup multicast IPv6</li></ul><p>Si esborreu aquest camp, es desactivarà la difusió de les actualitzacions d’estat d’UDP.</p></body></html> - + UDP Server port number: Número de port del servidor UDP: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>Introdueix el número de port del servei del servidor UDP al qual WSJT-X hauria d'enviar les actualitzacions. Si és zero, no s’emetran actualitzacions.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>Amb aquesta habilitat, WSJT-X acceptarà de nou algunes sol·licituds d’un servidor UDP que rep missatges de descodificació.</p></body></html> - + Accept UDP requests Accepta sol·licituds UDP - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>Indica l'acceptació d'una sol·licitud UDP entrant. L’efecte d’aquesta opció varia en funció del sistema operatiu i del gestor de finestres, la seva intenció és notificar l’acceptació d’una sol·licitud UDP entrant encara que aquesta aplicació estigui minimitzada o oculta.</p></body></html> - + Notify on accepted UDP request Notifica-la sobre la sol·licitud acceptada d’UDP - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>Restaura la finestra al mínim si s’accepta una sol·licitud UDP.</p></body></html> - + Accepted UDP request restores window La finestra de restauració de la sol·licitud UDP es acceptada - + Secondary UDP Server (deprecated) Servidor UDP secundari (obsolet) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>Quan es marca, WSJT-X transmetrà un contacte registrat en format ADIF al nom d'amfitrió i port configurats. </p></body></html> - + Enable logged contact ADIF broadcast Habilita la transmissió ADIF de contacte registrad - + Server name or IP address: Nom del servidor o adreça IP: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>Nom d'amfitrió opcional del programa N1MM Logger+ per rebre transmissions ADIF UDP. Generalment és "localhost" o adreça IP 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Nom d'amfitrió</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">adreça IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">adreça IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Adreça de grup multicast IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Adreça de grup multicast IPv6</li></ul><p>Si esborres aquest camp, es desactivarà la transmissió d’informació ADIF a través d’UDP.</p></body></html> - + Server port number: Número de port del servidor: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>Introdueix el número de port que hauria d’utilitzar WSJT-X per a les emissions d'UDP d’informació de registre ADIF. Per N1MM Logger+, aquest valor hauria de ser 2333. Si aquest és zero, no es transmetran actualitzacions.</p></body></html> - + Frequencies Freqüències - + Default frequencies and band specific station details setup Configuració predeterminada de les freqüències i bandes amb detalls específics de l'estació - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>Veure &quot;Freqüència de Calibració&quot; a la Guia de l'usuari de WSJT-X per obtenir més informació sobre com determinar aquests paràmetres per al teu equip.</p></body></html> - + Frequency Calibration Freqüència de Calibració - + Slope: Pendent: - + ppm ppm - + Intercept: Intercepte: - + Hz Hz - + Working Frequencies Freqüències de treball - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>Fes clic amb el botó dret per mantenir la llista de freqüències de treball.</p></body></html> - + Station Information Informació de l'estació - + Items may be edited. Right click for insert and delete options. Es poden editar ítems. Fes clic amb el botó dret per a les opcions d'inserció i eliminació. - + Colors Colors - + Decode Highlightling Ressaltar Descodificar - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> <html><head/><body><p>Fes clic per analitzar l'arxiu ADIF wsjtx_log.adi de nou per obtenir la informació abans treballada</p></body></html> - + Rescan ADIF Log Escaneig de nou el log ADIF - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>Prem per restablir tots els elements destacats anteriors als valors i prioritats predeterminats.</p></body></html> - + Reset Highlighting Restableix Ressaltat - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>Activar o desactivar l'ús de les caselles de verificació fes clic amb el botó dret en un element per canviar o desactivar el color del primer pla, el color de fons o restablir l'element als valors predeterminats. Arrossega i deixa anar els elements per canviar la seva prioritat, major a la llista és major en prioritat.</p><p>Recorda que cada color de primer pla o de fons pot estar configurat o no, el que vol dir que no està assignat per al tipus d'element i poden aplicar-se elements de menor prioritat.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>Marca per indicar noves entitats DXCC, Locators i indicatius per modes.</p></body></html> - + Highlight by Mode Ressaltar per mode - + Include extra WAE entities Incloure entitats WAE addicionals - + Check to for grid highlighting to only apply to unworked grid fields Marca perquè el ressaltat de Locator només s'aplica als camps de Locator no treballats - + Only grid Fields sought Només camps de Locator buscats - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>Controls per a la recerca d'usuaris de Logbook of the World (LoTW).</p></body></html> - + Logbook of the World User Validation Validació de l’usuari a Logbook of the World (LoTW) - + Users CSV file URL: URL de l'arxiu CSV dels usuaris: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>URL de l'últim arxiu de dades de dates i hores de càrrega de ARRL LotW que s'utilitza per ressaltar descodificacions d'estacions que se sap que carreguen el seu arxiu de log a LotW.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>Fes clic sobre aquest botó per obtenir l'últim arxiu de dades de data i hora de càrrega dels usuaris de LotW.</p></body></html> - + Fetch Now Obtenir ara - + Age of last upload less than: Edat de la darrera càrrega inferior a: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>Ajusta aquest quadre de selecció per establir el llindar d'edat de l'última data de càrrega dels usuaris de LotW que s'accepta com a usuari actual de LotW.</p></body></html> - + days dies - + Advanced Avançat - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>Paràmetres seleccionables per l'usuari per descodificació JT65 VHF/UHF/Microones.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters Paràmetres de descodificació JT65 VHF/UHF/Microones - + Random erasure patterns: Patrons d'esborrament aleatoris: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>El nombre màxim de patrons d'esborrat per al descodificador estoic de decisió suau Reed Solomon és 10^(n/2).</p></body></html> - + Aggressive decoding level: Nivell de descodificació agressiu: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>A nivells més elevats augmentarà la probabilitat de descodificació, però també augmentarà la probabilitat de fals descodificació.</p></body></html> - + Two-pass decoding Descodificació a dos passos - + Special operating activity: Generation of FT4, FT8, and MSK144 messages Activitat operativa especial: Generació de missatges FT4, FT8 i MSK144 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>Mode FT8 DXpedition: operador Hound que truca al DX.</p></body></html> - + + Hound Hound - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>Concursos de VHF/UHF/Microones nord-americans i altres en què es necessita un intercanvi de locators de quatre caràcters.</p></body></html> - + + NA VHF Contest Concurs NA VHF - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>Mode FT8 DXpedition: operador Fox (DXpedition).</p></body></html> - + + Fox Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>Concursos europeus de VHF i superiors que requereixen el informe de senyal, número de sèrie i locator de 6 caràcters.</p></body></html> - + + EU VHF Contest Concurs EU VHF - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup i concursos similars. L’intercanvi és estat nord-americà, província canadenca o &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages Missatges de Rencontre RTTY - + + RTTY Roundup exchange + + + + RTTY RU Exch: Intercanvi RTTY RU: - + NJ NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL Field Day exchange: nombre de transmissors, classe i secció ARRL / RAC o &quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day ARRL Field Day - + + Field Day exchange + + + + FD Exch: Intercanvi FD: - + 6A SNJ 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>Concurs World-Wide Digi-mode</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest Concurs WW Digi - + Miscellaneous Divers - + Degrade S/N of .wav file: Grau S/N de l'arxiu .wav: - - + + For offline sensitivity tests Per a proves de sensibilitat fora de línia - + dB dB - + Receiver bandwidth: Amplada de banda del receptor: - + Hz Hz - + Tx delay: Retard de TX: - + Minimum delay between assertion of PTT and start of Tx audio. Retard mínim entre el PTT i l'inici de l'àudio TX. - + s s - + + Tone spacing Espaiat de to - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>Genera l’àudio de TX amb el doble de l'espaiament normal. Destinat a transmissors especials de LF/MF que utilitzen un dividit per 2 abans de generar la RF.</p></body></html> - + x 2 x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>Genera l'àudio de TX amb quatre vegades l'espaiat del to normal. Destinat a transmissors especials de LF/MF que usen una divisió per 4 abans de generar la RF.</p></body></html> - + x 4 x 4 - + + Waterfall spectra Espectres de cascades - + Low sidelobes Lòbuls laterals baixos - + Most sensitive El més sensible - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>Eliminar (Cancel·la) o aplicar (D'acord) canvis de configuració inclosos.</p><p>Restablint la interfície de ràdio i aplicant els canvis a la targeta de so</p></body></html> @@ -6659,12 +6802,12 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació.No es pot crear el segment de memòria compartida - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_da.ts b/translations/wsjtx_da.ts index a0e37dc59..8c93f09e0 100644 --- a/translations/wsjtx_da.ts +++ b/translations/wsjtx_da.ts @@ -130,17 +130,17 @@ Astronomiske Data - + Doppler Tracking Error Doppler Tracking Error - + Split operating is required for Doppler tracking For Doppler tracking kræves Split Mode - + Go to "Menu->File->Settings->Radio" to enable split operation Gå til "Menu->Fil->Indstillinger->Radio for at aktivere Split Mode @@ -148,32 +148,32 @@ Bands - + Band name Bånd - + Lower frequency limit Nedre frekvens grænse - + Upper frequency limit Øvre frekvens grænse - + Band Bånd - + Lower Limit Nedre Grænse - + Upper Limit Øvre Grænse @@ -369,75 +369,75 @@ Configuration::impl - - - + + + &Delete &Slet - - + + &Insert ... &indsæt ... - + Failed to create save directory Fejl ved oprettelse af mappe til at gemme i - + path: "%1% sti: "%1% - + Failed to create samples directory Fejl i oprettelsen af mappe til eksempler - + path: "%1" sti: "%1" - + &Load ... &Hent ... - + &Save as ... &Gem som ... - + &Merge ... &Indflette ... - + &Reset &Reset - + Serial Port: Seriel Port: - + Serial port used for CAT control Seriel port til CAT kontrol - + Network Server: Netværk Server: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -452,12 +452,12 @@ Formater: [IPv6-address]:port - + USB Device: USB Enhed: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -468,152 +468,157 @@ Format: [VID[:PID[:VENDOR[:PRODUCT]]]] - + + Invalid audio input device Foekert audio input enhed - Invalid audio out device - Forkert audio output enhed + Forkert audio output enhed - + + Invalid audio output device + + + + Invalid PTT method Forkert PTT metode - + Invalid PTT port Forkert PTT port - - + + Invalid Contest Exchange Forkert Contest Udveksling - + You must input a valid ARRL Field Day exchange Indsæt et valid ARRL Field Day exchange - + You must input a valid ARRL RTTY Roundup exchange Indsæt et valid ARRL RTTY Roundup exchange - + Reset Decode Highlighting Nulstil dekode markering - + Reset all decode highlighting and priorities to default values Indstil alle dekode markeringer og prioriteringer til default - + WSJT-X Decoded Text Font Chooser WSJT-X Dekodet tekst Font vælger - + Load Working Frequencies Hent Frekvens liste - - - + + + Frequency files (*.qrg);;All files (*.*) Frekvens fil *.qrg);;All files (*.*) - + Replace Working Frequencies Erstat frekvensliste - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? Er du sikker på du vil kassere dine nuværende frekvensliste og erstatte den med denne frekvensliste? - + Merge Working Frequencies Indflet Frevens liste - - - + + + Not a valid frequencies file Ikke en gyldig Frekvens liste fil - + Incorrect file magic Forkert fil Magic - + Version is too new Version for ny - + Contents corrupt Inhold ugyldigt - + Save Working Frequencies Gem frekvens liste - + Only Save Selected Working Frequencies Gemmer kun de valgte frekvenser til listen - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. Er du sikker på du kun vil gemme de valgte frekvenser i Frekvenslisten. Klik nej for gemme alle. - + Reset Working Frequencies Reset frekvens liste - + Are you sure you want to discard your current working frequencies and replace them with default ones? Er du sikker på du vil kassere dine nuværende frekvensliste og erstatte dem med standard frekvenser? - + Save Directory Gemme Mappe - + AzEl Directory AzEL Mappe - + Rig control error Radio kontrol fejl - + Failed to open connection to rig Fejl i etablering af forbindelse til radio - + Rig failure Radio fejl @@ -1438,22 +1443,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency Tilføj Frekvens - + IARU &Region: IARU &Region: - + &Mode: &Mode: - + &Frequency (MHz): &Frekvens (Mhz): @@ -1461,26 +1466,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region IRAU Region - - + + Mode Mode - - + + Frequency Frekvens - - + + Frequency (MHz) Frekvens (Mhz) @@ -2080,12 +2085,13 @@ Fejl(%2): %3 - - - - - - + + + + + + + Band Activity Bånd Aktivitet @@ -2097,11 +2103,12 @@ Fejl(%2): %3 - - - - - + + + + + + Rx Frequency Rx frekvens @@ -2136,122 +2143,137 @@ Fejl(%2): %3 Skift monitorering On/Off - + &Monitor &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>Slet hjre vindue. Dobbelt-klik for at slette begge vinduer.</p></body></html> - + Erase right window. Double-click to erase both windows. Slet højre vindue. Dobbelt klik for at slette begge vinduer. - + &Erase &Slet - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body> <p> Slet det samlede meddelelsesgennemsnit. </p> </body> </html> - + Clear the accumulating message average. Slet det samlede meddelses gennemsnit. - + Clear Avg Slet AVG - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body> <p> Dekod den seneste Rx-periode på QSO-frekvens </p> </body> </html> - + Decode most recent Rx period at QSO Frequency Dekod den seneste Rx-periode på QSO-frekvens - + &Decode &Dekod - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>Skift af Auto-Tx On/Off</p></body></html> - + Toggle Auto-Tx On/Off Skift Auto Tx On/Off - + E&nable Tx A&ktiver Tx - + Stop transmitting immediately Stop TX med det samme - + &Halt Tx &Stop Tx - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>Skift mellem On/Off af TX Tone</p></body></html> - + Toggle a pure Tx tone On/Off Skift mellem On/Off af TX Tone - + &Tune &Tune - + Menus Menu - + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency USB dial frekvens - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body> <p> 30dB anbefales, når der kun er støj til stede <br/> Grønt er godt <br/> Rødt ved klipning kan forekomme <br/> Gul, når den er for lav </p> </ body > </ html> - + Rx Signal Rx Signal - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2262,337 +2284,343 @@ Rød ved klipping kan forekomme Gul er for lavt - + DX Call DX kaldesignal - + DX Grid DX Grid - + Callsign of station to be worked Kaldesignal på den der køres - + Search for callsign in database Kig efter kaldesignalet i databasen - + &Lookup &Slå op - + Locator of station to be worked Lokator på den der køres - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database Tilføj kaldesignal og locator til Log databasen - + Add Tilføj - + Pwr Pwr - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body> <p> Er den orange eller rød er der sket en Radiokontrol fejl og så skal du klikke for at nulstille og læse frekvensen. S betyder split mode. </p> </body> </html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. Hvis den er orange eller rød har der været en Radiokontrol fejl. Så skal der klikkes for nulstille og læse frekvensen. S betyder split mode. - + ? ? - + Adjust Tx audio level Juster Tx audio niveau - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body> <p> Vælg bånd eller indtast frekvens i MHz eller indtast kHz forøgelse efterfulgt af k. </p> </body> </html> - + Frequency entry Indsæt Frekvens - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. Vælg bånd du vil operere på eller indtast frekvens i Mhz eller indtast Khz efterfulgt af k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body> <p> Marker for at holde Tx-frekvensen, når du dobbeltklikker på dekodet tekst. </p> </body> </html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. Marker for at låse Tx frekvens når der dobbeltklikkes på en dekodet tekst. - + Hold Tx Freq Hold Tx Frekv - + Audio Rx frequency Audio Rx frekvens - - - + + + + + Hz Hz - + + Rx Rx - + + Set Tx frequency to Rx Frequency Sæt Tx frekvens til Rx frekvens - + - + Frequency tolerance (Hz) Frekvens tolerance (Hz) - + + F Tol F Tol - + + Set Rx frequency to Tx Frequency Sæt Rx frekevens til Tx Frekvens - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body> <p> Synkroniseringsgrænse. Lavere tal accepterer svagere synkroniseringssignaler. </p> </body> </html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. Synkroniseringsgrænse. Lavere tal accepterer svagere synkroniseringssignaler. - + Sync Synk - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>Marker for at bruge kort msg format.</p></body></html> - + Check to use short-format messages. Marker for at bruge kort msg format. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>Marker for at aktivere JT9 Fast Mode</p></body></html> - + Check to enable JT9 fast modes Marker for aktivering af JT9 Fast Mode - - + + Fast Fast - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body> <p> Marker for at aktivere automatisk sekventering af Tx-meddelelser baseret på modtagne meddelelser. </p> </body> </html> - + Check to enable automatic sequencing of Tx messages based on received messages. Marker for at aktivere automatisk sekventering af Tx-meddelelser baseret på modtagne meddelelser. - + Auto Seq Auto Sekv - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body> <p> Marker for at kalde den første dekodede som svarer på min CQ. </p> </body> </html> - + Check to call the first decoded responder to my CQ. Marker for at kalde den første som svarer på min CQ. - + Call 1st Kald 1st - + Check to generate "@1250 (SEND MSGS)" in Tx6. Marker for at generere "@1250 (SEND MSGS)" in Tx6. - + Tx6 Tx6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body> <p> Marker for Tx på lige sekunder i minuttet eller sekvenser, der starter ved 0; fjern markeringen for ulige sekvenser. </p> </body> </html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. Marker til Tx på lige sekunder i minuttet eller sekvenser, der starter ved 0; fjern markeringen for ulige sekvenser. - + Tx even/1st Tx Lige/1st - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>Frekvens hvor der kaldes CQ på i kHz over de nuværende Mhz</p></body></html> - + Frequency to call CQ on in kHz above the current MHz Frekvens hvor der kaldes CQ i Khz over de nuværende Mhz - + Tx CQ Tx CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body> <p> Marker for at kalde CQ på &quot; Tx CQ &quot; frekvens. Rx vil være på den aktuelle frekvens, og CQ-meddelelsen vil indeholde den aktuelle Rx-frekvens, så modparten ved, hvilken frekvens der skal svares på. </p> <p> Ikke tilgængelig for ikke-standard kaldesignaler. </p> </body> </ html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. Marker for at kalde CQ på "TX CQ" frekvens. Rx vil være på den aktuelle frekvens, og CQ-meddelelsen vil indeholde den aktuelle Rx-frekvens, så modparten ved, hvilken frekvens der skal svares på. Ikke tilgængelig for ikke-standard kaldesignaler. - + Rx All Freqs Rx Alle Frekv - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body> <p> Submode bestemmer toneafstanden; A er det smalleste. </p> </body> </html> - + Submode determines tone spacing; A is narrowest. Submode bestemmer toneafstanden; A er det smalleste. - + Submode Submode - - + + Fox Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Marker for at monitere Sh meddelser.</p></body></html> - + Check to monitor Sh messages. Marker for monitering af Sh meddelser. - + SWL SWL - + Best S+P Best S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body> <p> Marker dennee for at starte opsamling af kalibreringsdata. <br/> Mens måling af kalibreringskorrektion er visning deaktiveret. <br/> Når denne ikke er markeret, kan du se kalibreringsresultaterne. </p> </ body> </ html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2601,204 +2629,206 @@ Mens foregår måling af kalibreringskorrektion er visning deaktiveret. Når den ikke er markeret, kan du se kalibreringsresultaterne. - + Measure Mål kalibrering - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body> <p> Signalrapport: Signal-til-støj-forhold i 2500 Hz referencebåndbredde (dB). </p> </body> </html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). Signalrapport: Signal-til-støj-forhold i 2500 Hz referencebåndbredde (dB). - + Report Rapport - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>Tx/Rx eller Frekvens kalibrerings sekvenslængde</p></body></html> - + Tx/Rx or Frequency calibration sequence length Tx/Rx eller Frekvens kalibrerings sekvenslængde</p></body></html> - + + s s - + + T/R T/R - + Toggle Tx mode Skift TX mode - + Tx JT9 @ Tx JT9@ - + Audio Tx frequency Audio Tx frekvens - - + + Tx TX - + Tx# TX# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body> <p> Dobbeltklik på et CQ opkald for at den pågældende kommer i kø til næste QSO. </p> </body> </html> - + Double-click on another caller to queue that call for your next QSO. Dobbeltklik på et andet CQ opkald for at den pågældende kommer i kø til næste QSO. - + Next Call Næste Kaldesignal - + 1 1 - - - + + + Send this message in next Tx interval Send denne meddelse i næste Tx periode - + Ctrl+2 Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body> <p> Send denne meddelelse i næste Tx-interval </p> <p> Dobbeltklik for at skifte brug af Tx1-meddelelsen til at starte en QSO med en station (ikke tilladt for type 1 sammensatte opkald) </p> </body> </html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Send denne meddelelse i næste Tx-periode. Dobbeltklik for at skifte brug af Tx1-meddelelsen til at starte en QSO med en station (ikke tilladt for type 1 indehavere af sammensatte opkald) - + Ctrl+1 CTRL+1 - - - - + + + + Switch to this Tx message NOW Skift til denne Tx meddelse nu - + Tx &2 TX &2 - + Alt+2 Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> html><head/><body> <p> Skift til denne Tx-meddelelse NU </p> <p> Dobbeltklik for at skifte brug af Tx1-meddelelsen til at starte en QSO med en station (ikke tilladt for type 1 sammensatte kaldesignaler) </p> </body> </html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Skift til denne Tx meddelse NU Dobbelt klik for at skifte brug af Tx1 meddelse for at starte QSO med en station (ikke tilladt for type 1 sammensatte kaldesignaler) - + Tx &1 Tx &1 - + Alt+1 Alt+1 - + Ctrl+6 CTRL+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Send denne meddelse i næste Tx periode</p><p>Dobbelt klik for at resette til standard 73 message</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message Send denne meddelse i næste Tx periode Dobbelt klik for at resette til standard 73 message - + Ctrl+5 Ctrl+5 - + Ctrl+3 CTRL+3 - + Tx &3 Tx &3 - + Alt+3 Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p> Send denne meddelelse i næste Tx periode </p> <p> Dobbeltklik for at skifte mellem RRR og RR73-meddelelser i Tx4 (ikke tilladt for type 2 sammensatte kaldesignaler)</p><p> RR73 meddelelser skal kun bruges, når du med rimelig sikkerhed er overbevist om, at der ikke kræves gentagne meddelelser</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2807,17 +2837,17 @@ Dobbeltklik for at skifte mellem RRR og RR73-meddelelser i Tx4 (ikke tilladt for RR73-meddelelser skal kun bruges, når du med rimelig sikkerhed er overbevist om, at der ikke kræves gentagne meddelelser - + Ctrl+4 Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p> Skift til denne Tx-meddelelse NU</p><p>Dobbeltklik for at skifte mellem RRR og RR73-meddelelser i Tx4 (ikke tilladt for type2 sammensatte kaldesignaler)</p><p>RR73-meddelelser skal kun bruges, når du med rimelighed er overbevist om, at der ikke kræves gentagne meddelelser </p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2826,65 +2856,64 @@ Dobbeltklik for at skifte mellem RRR og RR73-meddelelser i Tx4 (ikke tilladt for RR73-meddelelser skal kun bruges, når du med rimelig sikkerhed er overbevist om, at der ikke kræves gentagne meddelelser - + Tx &4 TX &4 - + Alt+4 Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Skift til denne Tx meddelse NU</p><p>Dobbelt klik for at vende tilbage til standard 73 message</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message Skift til denne Tx meddelse NU Dobbelt klik for at vende tilbage til standard 73 meddelse - + Tx &5 Tx&5 - + Alt+5 Alt+5 - + Now Nu - + Generate standard messages for minimal QSO Generer standard meddelse til minimal QSO - + Generate Std Msgs Generate Std Medd - + Tx &6 Tx&6 - + Alt+6 Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2895,1075 +2924,1096 @@ Tryk på på Enter for indsætte teksten til makro listen. Makro listen kan også ændfres i Inderstillinger (F2). - + Queue up the next Tx message Sat i kø til næste Tx meddelse - + Next Næste - + 2 ? 2 - + + FST4W + + + Calling CQ - Kalder CQ + Kalder CQ - Generate a CQ message - Generer CQ meddelse + Generer CQ meddelse - - - + + CQ CQ - Generate message with RRR - Generer meddelse med RRR + Generer meddelse med RRR - RRR - RRR + RRR - Generate message with report - Generer meddelse med rapport + Generer meddelse med rapport - dB - dB + dB - Answering CQ - Svar på CQ + Svar på CQ - Generate message for replying to a CQ - Generer meddelse som svar på et CQ + Generer meddelse som svar på et CQ - - + Grid Grid - Generate message with R+report - Generer meddelse med R+report + Generer meddelse med R+report - R+dB - R+dB + R+dB - Generate message with 73 - Generer meddelse med 73 + Generer meddelse med 73 - 73 - 73 + 73 - Send this standard (generated) message - Send denne standard (genereret) meddelse + Send denne standard (genereret) meddelse - Gen msg - Gen medd + Gen medd - Send this free-text message (max 13 characters) - Send denne fri-tekst meddelse (maks 13 karakterer) + Send denne fri-tekst meddelse (maks 13 karakterer) - Free msg - Fri medd + Fri medd - 3 - 3 + 3 - + Max dB Maks dB - + CQ AF CQ AF - + CQ AN CQ AN - + CQ AS CQ AS - + CQ EU CQ EU - + CQ NA CQ NA - + CQ OC CQ OC - + CQ SA CQ SA - + CQ 0 CQ 0 - + CQ 1 CQ 1 - + CQ 2 CQ 2 - + CQ 3 CQ 3 - + CQ 4 CQ 4 - + CQ 5 CQ 5 - + CQ 6 CQ 6 - + CQ 7 CQ 7 - + CQ 8 CQ 8 - + CQ 9 CQ 9 - + Reset Reset - + N List N Liste - + N Slots N slots - - + + + + + + + Random Tilfældig - + Call Kaldesignal - + S/N (dB) S/N (dB) - + Distance Distance - + More CQs Flere CQ - Percentage of 2-minute sequences devoted to transmitting. - Procen af en 2 minutters sekvens dedikeret til sending. + Procen af en 2 minutters sekvens dedikeret til sending. - + + % % - + Tx Pct Tx Pct - + Band Hopping Bånd hopping - + Choose bands and times of day for band-hopping. Vælg bånd og tid på dagen for Bånd-Hopping. - + Schedule ... Tidskema ... + 1/2 - 1/2 + 1/2 + 2/2 - 2/2 + 2/2 + 1/3 - 1/3 + 1/3 + 2/3 - 2/3 + 2/3 + 3/3 - 3/3 + 3/3 + 1/4 - 1/4 + 1/4 + 2/4 - 2/4 + 2/4 + 3/4 - 3/4 + 3/4 + 4/4 - 4/4 + 4/4 + 1/5 - 1/5 + 1/5 + 2/5 - 2/5 + 2/5 + 3/5 - 3/5 + 3/5 + 4/5 - 4/5 + 4/5 + 5/5 - 5/5 + 5/5 + 1/6 - 1/6 + 1/6 + 2/6 - 2/6 + 2/6 + 3/6 - 3/6 + 3/6 + 4/6 - 4/6 + 4/6 + 5/6 - 5/6 + 5/6 + 6/6 - 6/6 + 6/6 - + Upload decoded messages to WSPRnet.org. Uoload dekodet meddelser til WSPRnet.org. - + Upload spots Upload spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>6-cifrede locatorer kræver 2 forskellige meddelelser for at blive sendt, den anden indeholder den fulde locator, men kun et hashet kaldesignal. Andre stationer skal have dekodet den første gang, før de kan dekode dit kaldesignal i den anden meddelse. Marker denne indstilling for kun at sende 4-cifrede locatorer, hvis den vil undgå to meddelelsesprotokollen.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. 6 cifrede locatorer kræver 2 forskellige meddelelser for at blive sendt, den anden indeholder den fulde locator, men kun et hashet kaldesignal. Andre stationer skal have dekodet den første gang, før de kan dekode dit kaldesignal i den anden meddelse. Marker denne indstilling for kun at sende 4-cifrede locatorer, hvis du vil undgå to meddelelses protokollen. + + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + FT240W FT240W - Prefer type 1 messages - Fortrækker type 1 meddelse + Fortrækker type 1 meddelse - + No own call decodes Ingen dekodning af eget kaldesignal - Transmit during the next 2-minute sequence. - Tx i den næste 2 minutters sekvens. + Tx i den næste 2 minutters sekvens. - + Tx Next Tx Næste - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. Indsæt Tx power i dBm (dB over 1mW) som en del af WSPR meddelse. - + + NB + + + + File Fil - + View Vis/Se - + Decode Dekod - + Save Gem - + Help Hjælp - + Mode Mode - + Configurations Konfiguration - + Tools Værktøjer - + Exit Afslut - Configuration - Konfiguiration + Konfiguiration - F2 - F2 + F2 - + About WSJT-X Om WSJT-X - + Waterfall Vandfald - + Open Åbne - + Ctrl+O Ctrl+o - + Open next in directory Åben den næste i mappe - + Decode remaining files in directory Dekod resterende filer i mappen - + Shift+F6 Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir Slet alle *.wav && *.c2 filer i mappen Gemt - + None Ingen - + Save all Gem alt - + Online User Guide Online Bruger Manual - + Keyboard shortcuts Tastetur genveje - + Special mouse commands Specielle muse kommandoer - + JT9 JT9 - + Save decoded Gem dekodet - + Normal Normal - + Deep Dybt - Monitor OFF at startup - Monitor OFF ved start + Monitor OFF ved start - + Erase ALL.TXT Slet ALL.TXT - + Erase wsjtx_log.adi Slet wsjtx_log.adi - Convert mode to RTTY for logging - Koverter mode til RTTY ved logning + Koverter mode til RTTY ved logning - Log dB reports to Comments - Log dB rapporter til kommentar feltet + Log dB rapporter til kommentar feltet - Prompt me to log QSO - Gør mig opmærksom på at logge QSO + Gør mig opmærksom på at logge QSO - Blank line between decoding periods - Stiplede linjer mellem dekodnings perioder + Stiplede linjer mellem dekodnings perioder - Clear DX Call and Grid after logging - Slet DX Call og Grid efter logging + Slet DX Call og Grid efter logging - Display distance in miles - Vis afstand i miles + Vis afstand i miles - Double-click on call sets Tx Enable - Dobbelt-klik på et kaldesignal for at sætte TX ON + Dobbelt-klik på et kaldesignal for at sætte TX ON - - + F7 F7 - - Tx disabled after sending 73 - - - - - + Runaway Tx watchdog Runaway Tx vagthund - Allow multiple instances - Tillad flere forekomster af program + Tillad flere forekomster af program - Tx freq locked to Rx freq - Tx frekv låst til Rx frekv + Tx frekv låst til Rx frekv - + JT65 JT65 - + JT9+JT65 JT+JT65 - Tx messages to Rx Frequency window - Tx meddelse til Rx Frekvens vindue + Tx meddelse til Rx Frekvens vindue - Gray1 - Gray1 + Gray1 - Show DXCC entity and worked B4 status - Vis DXCC og Worked B4 status + Vis DXCC og Worked B4 status - + Astronomical data Astronomi data - + List of Type 1 prefixes and suffixes Liste over Type 1 prefix og suffix - + Settings... Indstillinger... - + Local User Guide Lokal User Manual - + Open log directory Åben Logfil mappe - + JT4 JT4 - + Message averaging Meddelse gennemsnit - + Enable averaging Aktiver gennemsnit - + Enable deep search Aktiver Dyb dekodning - + WSPR WSPR - + Echo Graph Ekko graf - + F8 F8 - + Echo Ekko - + EME Echo mode EME Ekko mode - + ISCAT ISCAT - + Fast Graph - + F9 F9 - + &Download Samples ... &Download eksempler ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>Download audio filer eksempler som demonstrerer de forskellige modes.</p></body></html> - + MSK144 MSK144 - + QRA64 QRA64 - + Release Notes Release Notes - + Enable AP for DX Call Aktiver AP for DX kaldesignal - + FreqCal FrekvCal - + Measure reference spectrum Måler reference spectrum - + Measure phase response Måler fase response - + Erase reference spectrum Slet reference spektrum - + Execute frequency calibration cycle Kør en frekvens kalibrerings sekvens - + Equalization tools ... Equalization værktøjer ... - WSPR-LF - WSPR-LF + WSPR-LF - Experimental LF/MF mode - Eksperimental LF/MF mode + Eksperimental LF/MF mode - + FT8 FT8 - - + + Enable AP Aktiver AP - + Solve for calibration parameters Løs for kalibrerings parametre - + Copyright notice Copyright notits - + Shift+F1 Shift+F1 - + Fox log Fox Log - + FT8 DXpedition Mode User Guide FT8 DXpedition Mode bruger guide - + Reset Cabrillo log ... Reset Cabrillo log ... - + Color highlighting scheme Farve skema - Contest Log - Contest Log + Contest Log - + Export Cabrillo log ... Eksporter Cabrillo log ... - Quick-Start Guide to WSJT-X 2.0 - Quick-Start Guide til WSJT-X 2.0 + Quick-Start Guide til WSJT-X 2.0 - + Contest log Contest log - + Erase WSPR hashtable Slet WSPR Hash tabel - + FT4 FT4 - + Rig Control Error Radio kontrol fejl - - - + + + Receiving Modtager - + Do you want to reconfigure the radio interface? Vil du rekonfigurere radio interface? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log Fejl ved scanning af Adif Log - + Scanned ADIF log, %1 worked before records created Scannet ADIF log, %1 worked B4 oprettede poster - + Error Loading LotW Users Data Fejl ved indlæsning af LotW bruger Data - + Error Writing WAV File Fejl ved skrivning af WAV Fil - + Configurations... Konfigurationer... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message Meddelse - + Error Killing jt9.exe Process Fejl ved lukning af jt9.exe processen - + KillByName return code: %1 KillByName return code: %1 - + Error removing "%1" Fejl ved fjernelse af "%1" - + Click OK to retry Klik OK for at prøve igen - - + + Improper mode Forkert mode - - + + File Open Error Fejl ved åbning af fil - - - - - + + + + + Cannot open "%1" for append: %2 Kan ikke åbne "%1" for at tilføje: %2 - + Error saving c2 file Fejl da c2 fil skulle gemmes - + Error in Sound Input Fejl i Audio input - + Error in Sound Output Fejl i Audio output - - - + + + Single-Period Decodes Enkel-Periode Dekodning - - - + + + Average Decodes Gennemsnitlig dekodning - + Change Operator Skift Operatør - + New operator: Ny Operatør: - + Status File Error Fejl i status Fil - - + + Cannot open "%1" for writing: %2 Kan ikke åbne "%1" for at skrive: %2 - + Subprocess Error Underprocess fejl - + Subprocess failed with exit code %1 Underprocess fejlede med fejlkode %1 - - + + Running: %1 %2 Kører: %1 %2 - + Subprocess error Underprocess fejl - + Reference spectrum saved Reference spectrum gemt - + Invalid data in fmt.all at line %1 Forkert data i fmt.all ved linje %1 - + Good Calibration Solution God Kalibrerings løsning - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3976,17 +4026,17 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). %9%L10 Hz</pre> - + Delete Calibration Measurements Slet Kalibrerings måling - + The "fmt.all" file will be renamed as "fmt.bak" Filen fmt.all vil blive omdøbt til "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." @@ -3994,27 +4044,27 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). "Algoritmerne, kildekoden, udseendet og funktionen af ​​WSJT-X og relaterede programmer og protokolspecifikationer for Mode FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 er Copyright (C) 2001-2020 af en eller flere af følgende forfattere: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; og andre medlemmer af WSJT Development Group. " - + No data read from disk. Wrong file format? Ingen data indlæst. Forkert fil format? - + Confirm Delete Bekræft sletning - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? Er du sikker på du vil slette alle *.wav og *.c2 filer i "%1"? - + Keyboard Shortcuts Tastetur Genveje - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -4064,12 +4114,12 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). - + Special Mouse Commands Specielle muse kommandoer - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -4080,7 +4130,7 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -4088,10 +4138,10 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4105,42 +4155,42 @@ listen. Makro listen kan også ændfres i Inderstillinger (F2). - + No more files to open. Ikke flere filer at åbne. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. Venligst vælg en ande Tx frekvens. WSJT-X vil ikke sende med en anden Mode i WSPR området på 30m. - + WSPR Guard Band WSPR Guard bånd - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. Vælg venligst en anden VFO frekvens. WSJT-x vil ikke operere med Fox mode i standard FT8 områder - + Fox Mode warning Fox Mode advarsel - + Last Tx: %1 Senest Tx: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4151,183 +4201,182 @@ For at gøre dette skal du markere 'Speciel aktivitet' og 'EU VHF-Contest' på indstillingerne | Avanceret fane. - + Should you switch to ARRL Field Day mode? Bør du skifte til ARRL Field Day mode? - + Should you switch to RTTY contest mode? Bør du skifte til RTTY Contest mode? - - - - + + + + Add to CALL3.TXT Tilføj til CALL3.TXT - + Please enter a valid grid locator Indsæt en gyldig Grid lokator - + Cannot open "%1" for read/write: %2 Kan ikke åbne "%1" for Læse/Skrive: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 er allerede i CALL3.TXT. Vil du erstatte den? - + Warning: DX Call field is empty. Advarsel: DX Call feltet er tomt. - + Log file error Log fil fejl - + Cannot open "%1" Kan ikke åbne "%1" - + Error sending log to N1MM Fejl ved afsendelse af log til N1MM - + Write returned "%1" Skrivning vendte tilbage med "%1" - + Stations calling DXpedition %1 Stationer som kalder DXpedition %1 - + Hound Hound - + Tx Messages Tx meddelse - - - + + + Confirm Erase Bekræft Slet - + Are you sure you want to erase file ALL.TXT? Er du sikker på du vil slette filen ALL.TXT? - - + + Confirm Reset Bekræft Reset - + Are you sure you want to erase your contest log? Er du sikker på du vil slette din contest log? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. Gør du dette vil alle QSOer for pågældende contest blive slettet. De bliver dog gemt i en ADIF fik, men det vil ikke være muligt at eksportere dem som Cabrillo log. - + Cabrillo Log saved Cabrillo Log gemt - + Are you sure you want to erase file wsjtx_log.adi? Er du sikker på du vil slette filen wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? Er du sikker på du vil slette WSPR Hash tabellen? - VHF features warning - VHF feature advarsel + VHF feature advarsel - + Tune digital gain Tune digital gain - + Transmit digital gain Transmit digital gain - + Prefixes Prefixer - + Network Error Netværks Fejl - + Error: %1 UDP server %2:%3 Error: %1 UDP server %2:%3 - + File Error Fil fejl - + Phase Training Disabled Phase Training Deaktiveret - + Phase Training Enabled Phase Training Aktiveret - + WD:%1m WD:%1m - - + + Log File Error Log Fil Fejl - + Are you sure you want to clear the QSO queues? Er du sikker du vil slette QSO køen? @@ -4349,8 +4398,8 @@ UDP server %2:%3 Modes - - + + Mode Mode @@ -4503,7 +4552,7 @@ UDP server %2:%3 Fejl ved åbning af LoTW bruger CSV file:'%1' - + OOB OOB @@ -4694,7 +4743,7 @@ Fejl(%2): %3 Fejl, der ikke kan gendannes, lydindgangs enhed kan ikke bruges på dette tidspunkt. - + Requested input audio format is not valid. Det ønskede Audio ingangs format er ikke gyldigt. @@ -4704,37 +4753,37 @@ Fejl(%2): %3 Det ønskede Audio indgangs format understøttes ikke af enheden. - + Failed to initialize audio sink device Kunne ikke initialisere lydenheden - + Idle Venter - + Receiving Modtager - + Suspended Suspenderet - + Interrupted Afbrudt - + Error Fejl - + Stopped Stoppet @@ -4742,62 +4791,67 @@ Fejl(%2): %3 SoundOutput - + An error opening the audio output device has occurred. Fejl ved åbning af Audio udgangs enheden. - + An error occurred during write to the audio output device. Fejl ved skrivning til Audio udgangs enheden. - + Audio data not being fed to the audio output device fast enough. Audio data bliver ikke sendt hurtigt nok Audio udgangs enheden. - + Non-recoverable error, audio output device not usable at this time. Fejl, der ikke kan gendannes, lydudgangs enhed kan ikke bruges på dette tidspunkt. - + Requested output audio format is not valid. Det ønskede udgangs Audio format er ikke gyldig. - + Requested output audio format is not supported on device. Det ønskede Audio udgangs format understøttes ikke af enheden. - + + No audio output device configured. + + + + Idle Venter - + Sending Sender - + Suspended Suspenderet - + Interrupted Afbrudt - + Error Fejl - + Stopped Stoppet @@ -4805,22 +4859,22 @@ Fejl(%2): %3 StationDialog - + Add Station Tilføj Station - + &Band: &Bånd: - + &Offset (MHz): &Offset (Mhz): - + &Antenna: &Antenne: @@ -5008,19 +5062,23 @@ Fejl(%2): %3 <html><head/><body><p>Decode JT9 only above this frequency</p></body></html> <html><head/><body><p>Dekod kun JT9 over denne frekvens</p></body></html> - - Hz - Hz - - JT9 - JT69 + Hz + Hz + Split + + + + JT9 + JT69 + + JT65 - JY65 + JY65 @@ -5054,6 +5112,29 @@ Fejl(%2): %3 Læs Palette + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5252,9 +5333,8 @@ Fejl(%2): %3 minutter - Enable VHF/UHF/Microwave features - Aktiver VHF/UHF/Mikrobølge funktioner + Aktiver VHF/UHF/Mikrobølge funktioner @@ -5371,7 +5451,7 @@ den stille periode, når dekodningen er udført. - + Port: Port: @@ -5382,137 +5462,149 @@ den stille periode, når dekodningen er udført. + Serial Port Parameters Seriek Port Parametre - + Baud Rate: Baud Rate: - + Serial port data rate which must match the setting of your radio. Seriel data hastighed som skal være den samme som på din radio. - + 1200 1200 - + 2400 2400 - + 4800 4800 - + 9600 9600 - + 19200 19200 - + 38400 38400 - + 57600 57600 - + 115200 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>Antallet af data bits der skal bruges for at kommunikerer med din radio via CAT interface (normalt otte).</p></body></html> - + + Data bits + + + + Data Bits Data Bits - + D&efault D&efault - + Se&ven Sy&v - + E&ight O&tte - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>Antallet af stop bits der bruges til kommunikation via din radio CAT interface</p><p>(Se i din radio manual for detaljer).</p></body></html> - + + Stop bits + + + + Stop Bits Stop Bit - - + + Default Deafult - + On&e E&n - + T&wo T&o - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Flow kontrol protokol der bruges mellem computer og radioens CAT interface (Normal &quot;None&quot; men nogle radioer kræver &quot;Hardware&quot;).</p></body></html> - + + Handshake Handshake - + &None &ingen - + Software flow control (very rare on CAT interfaces). Software flow kontrol (sjælden på CAT interface). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5521,74 +5613,75 @@ ikke ofte brugt, men nogle radioer har det som en mulighed og et par, især nogle Kenwood radioer, kræver det). - + &Hardware &Hardware - + Special control of CAT port control lines. Special kontrol af CAT port kontrol linjer. - + + Force Control Lines Tving Kontrol Linjer - - + + High Høj - - + + Low Lav - + DTR: DTR: - + RTS: RTS: - + How this program activates the PTT on your radio? Hvorledes dette program skal aktivere PTT på din radio? - + PTT Method PTT metode - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>Ingen PTT aktivering. I stedet bruges radioens automatis VOX til at nøgle senderen.</p><p>Bruge denne hvis du ingen hardware interface har.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p> Brug RS-232 DTR-kontrollinjen til at skifte radioens PTT, kræver hardware for at interface. </p><p> Nogle kommercielle interface-enheder bruger også denne metode. </p> <p> DTR-kontrollinjen i CAT-seriel port kan bruges til dette, eller en DTR-kontrollinje på en anden seriel port kan bruges.</p></body></html> - + &DTR &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5597,47 +5690,47 @@ Brug denne option if din radio understøtter det, og hvis du ikke har andre muligheder eller andet hardware interface til PTT. - + C&AT C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p> Brug RS-232 RTS kontrollinjen til at skifte radioens PTT, kræver hardware for at interface grænsen.</p><p> Nogle kommercielle interfaceenheder bruger også denne metode.</p><p> RTS-kontrollinjen i CAT-seriel port kan bruges til dette, eller en RTS-kontrollinje på en anden seriel port kan bruges. Bemærk, at denne indstilling ikke er tilgængelig på den serielle CAT-port, når hardwarestrømstyring bruges. </p></body></html> - + R&TS R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p> Vælg den serielle RS-232-port, der bruges til PTT-kontrol, denne indstilling er tilgængelig, når DTR eller RTS vælges ovenfor som en sendemetode.</p><p>Denne port kan være den samme som den, der bruges til CAT-kontrol.</p><p> For nogle grænsefladetyper kan den særlige værdi CAT vælges, dette bruges til ikke-serielle CAT-grænseflader, der kan kontrollere serielle portkontrollinier eksternt (OmniRig for eksempel).</p></body></html> - + Modulation mode selected on radio. Modulation type valgt på Radio. - + Mode Mode - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>USB er normalt den korrekte modulations mode,</p><p>med mindre radioenunless the radio har en speciel data eller packet mode indstilling så som USB-D</p><p>til AFSK operation.</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5646,23 +5739,23 @@ or bandwidth is selected). forkert mode eller båndbredde). - - + + None Ingen - + If this is available then it is usually the correct mode for this program. Hvis denne mulighed er til stede er det sædvanligvis den korrekte mode for dette program. - + Data/P&kt Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5671,52 +5764,52 @@ Denne indstilling tillader dig og vælge hvilken audio indgang der bruges (Hvis Bag/Data er muligt er det generelt den bedste). - + Transmit Audio Source Tx audio kilde - + Rear&/Data Bag&/Data - + &Front/Mic &Front/Mic - + Rig: Rig: - + Poll Interval: Poll Interval: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p> Interval mellem poll radio for status. Længere intervaller betyder, at det vil tage længere tid at opdage ændringer i radioen.</p></body></html> - + s s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>Forsøger og kontakte radioen med disse indstillinger.</p><p>Knappen vil blive grøn hvis kontakten lykkedes og rød hvis der er et problem.</p></body></html> - + Test CAT Test CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5729,47 +5822,47 @@ Kontroller, at Tx-indikation på din radio og / eller dit radio interface opfører sig som forventet. - + Test PTT Test PTT - + Split Operation Split Operation - + Fake It Fake It - + Rig Rig - + A&udio A&udio - + Audio interface settings Audio interface indstillinger - + Souncard Lydkort - + Soundcard Lydkort - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5782,46 +5875,51 @@ vil du sende alle systemlyde der genereres i løbet af transmissionsperioder. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. Vælg Audio CODEC for modtagelse. - + &Input: &Input: - + Select the channel to use for receiving. Vælg kanal til modtagelse. - - + + Mono Mono - - + + Left Venstre - - + + Right Højre - - + + Both Begge - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5832,110 +5930,115 @@ kanaler skal du normalt vælge mono her eller begge. - + + Enable VHF and submode features + + + + Ou&tput: Ou&tput: - - + + Save Directory Gemme Mappe - + Loc&ation: Lok&ation: - + Path to which .WAV files are saved. Sti hvor .WAV filerne er gemt. - - + + TextLabel Tekst Felt - + Click to select a different save directory for .WAV files. Klik for at vælge et andet sted og gemme .WAV filerne. - + S&elect Væ&lg - - + + AzEl Directory AzEl Mappe - + Location: Lokation: - + Select Vælg - + Power Memory By Band Power hukommelse per bånd - + Remember power settings by band Husk power indstilling per Bånd - + Enable power memory during transmit Husk power instillinger ved sending - + Transmit Transmit - + Enable power memory during tuning Husk power ved Tuning - + Tune Tune - + Tx &Macros TX &Makroer - + Canned free text messages setup Gemte Fri tekst meddelser indstilling - + &Add &Tilføj - + &Delete &Slet - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5944,37 +6047,37 @@ Højreklik for emne specifikke handlinger Klik, SHIFT + Klik og, CRTL + Klik for at vælge emner - + Reportin&g Rapporterin&g - + Reporting and logging settings Rapportering og Logging indstillinger - + Logging Logging - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. Programmet vil poppe op med en delvis udfyldt QSO Log når du sender 73 eller en Fri tekst meddelse. - + Promp&t me to log QSO Promp&t mig for at logge QSO - + Op Call: Op kaldesignal: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5985,54 +6088,54 @@ Marker denne option for at gemme rapporterne i kommentar feltet. - + d&B reports to comments c&B rapporter til kommentar felt - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. Marker denne mulighed for at tvinge sletning af DX-kaldesignalt og DX Grid-felter, når der sendes en 73 eller fri tekstbesked. - + Clear &DX call and grid after logging Slet &DX kaldesignal og Grid efter logging - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>Nogle logging programmer vil ikke acceptere mode navne.</p></body></html> - + Con&vert mode to RTTY Kon&verter mode til RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>Kaldesignal på Operatør, hvis det er forskelligt fra stations kaldesignal.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>Marker hvis du vil have at QSO'er logges automatisk når de er slut.</p></body></html> - + Log automatically (contesting only) Log automatisk (kun Contest) - + Network Services Netværks Service - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> @@ -6047,507 +6150,543 @@ Dette bruges til analyse af reverse beacon, hvilket er meget nyttigt til vurdering af udbrednings forhold og systemydelse. - + Enable &PSK Reporter Spotting Aktiver &PSK Reporter Spotting - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server UDP Server - + UDP Server: UDP Server: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>Alternativ værtsnavn på netværks service som skal modtage det dekodede.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Værtsnavn</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 adresse</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 adresse</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast gruppe adresse</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast gruppe adresse</li></ul><p>Slettes dette felt vil der ikke blive udsendt UDP status opdateringer.</p></body></html> - + UDP Server port number: UDP Server port nummer: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p> Indtast serviceportnummeret på den UDP-server, som WSJT-X skal sende opdateringer til. Hvis dette er nul, udsendes ingen opdateringer.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p> Med denne aktiveret vil WSJT-X acceptere visse anmodninger tilbage fra en UDP-server, som modtager dekodede meddelelser.</p></body></html> - + Accept UDP requests Accepter UDP anmodninger - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p> Angiv accept af en indgående UDP-anmodning. Effekten af ​​denne indstilling varierer afhængigt af operativsystemet og window manager, dens formål er at underrette accept af en indgående UDP-anmodning, selvom denne applikation er minimeret eller skjult.</p></body></html> - + Notify on accepted UDP request Meddelse om accepteret UDP anmodning - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p> Gendan vinduet fra minimeret, hvis en UDP-anmodning accepteres.</p></body></html> - + Accepted UDP request restores window Gendan vindue fra minimeret, hvis en UDP anmodning accepteres - + Secondary UDP Server (deprecated) Sekundær UDP-server (udskrevet) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p> Når denne er markeret, vil WSJT-X sende en logget kontakt i ADIF-format til det konfigurerede værtsnavn og port.</P></body></html> - + Enable logged contact ADIF broadcast Aktiver Logged kontankt ADIF afsendelse - + Server name or IP address: Server navn eller IP adresse: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>Alternativ host navn i N1MM Logger+ program der skal modtage ADIF UDP broadcasts. Det e rnormalt 'localhost' eller ip adresse 127.0.0.1</p><p>Format:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostnavn</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 adresse</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast gruppe adresse</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Slettes dette felt vil der ikke blive udsendt broadcasting af ADIF information via UDP.</p></body></html> - + Server port number: Server port nummer: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>Indsæt portnummer som WSJT-X skal bruge til UDP broadcasts af ADIF log information. For N1MM Logger+, skal det være 2333. Hvis det er NUL vil der ikke blive udsendt broadcast.</p></body></html> - + Frequencies Frekvneser - + Default frequencies and band specific station details setup Default frekvenser og bånd specifikke stations deltalje indstillinger - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>Se &quot;Frekvens Kalibrering&quot; i WSJT-X User Guide for detaljer om hvorledes disse parametre indstilles for din radio.</p></body></html> - + Frequency Calibration Frekvens Kalibrering - + Slope: Stigning: - + ppm ppm - + Intercept: Intercept: - + Hz Hz - + Working Frequencies Arbejds Frekvenser - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>Højre klik for at ændre i frekvenslisten.</p></body></html> - + Station Information Stations Information - + Items may be edited. Right click for insert and delete options. Listen kan editeres Højre klik for at indsætte eller slette elementer. - + Colors Farver - + Decode Highlightling Dekode Farvelade - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> <html><head/><body><p>Klik for at scanne wsjtx_log.adi ADIF filen igen for worked before information</p></body></html> - + Rescan ADIF Log Rescan Adif Log - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>Tryk for at resette alle Highligt oven over til default værdier og prioriteter.</p></body></html> - + Reset Highlighting Reset Higlighting - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body> <p> Aktivér eller deaktiver ved hjælp af afkrydsningsfelterne og højreklik på et element for at ændre eller deaktivere forgrundsfarve, baggrundsfarve eller nulstille elementet til standardværdier. Træk og slip emnerne for at ændre deres prioritet, højere på listen har højere prioritet. </p> <p> Bemærk, at hver forgrunds- eller baggrundsfarve enten er indstillet eller frakoblet, ikke indstillet betyder, at den ikke er tildelt til det pågældende element type og lavere prioriterede poster kan muligvis anvendes. </p> </body> </html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>Marker for at indikere nye DXCC Lande, Grid og Kaldesignaler pr Mode.</p></body></html> - + Highlight by Mode Highlight by Mode - + Include extra WAE entities Inkluder ekstra WAE lande - + Check to for grid highlighting to only apply to unworked grid fields Marker for Grid Highlighting for kun at tilføje ikke kørte Lokator felter - + Only grid Fields sought Kun søgte GRID felter - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>Kontrol for Logbook of the World bruger lookup.</p></body></html> - + Logbook of the World User Validation Logbook of the World Bruger Validering - + Users CSV file URL: Sti til Bruger CSV fil: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body> <p> URL til ARRL LotW-brugerens sidste uploaddatoer og -tidsdatafil, som bruges til at fremhæve dekodninger fra stationer, der vides at uploade deres logfil til LotW. </p> < / body> </ html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>Tryk på denne knap for at hente seneste LotW bruger upload dato og tids data file.</p></body></html> - + Fetch Now Hent Nu - + Age of last upload less than: Alder på seneste upload mindre end: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p> Juster dette spin-felt for at indstille grænsen for alderen på LotW-brugers sidste upload-dato, der accepteres som en nuværende LotW-bruger.</p></body></html> - + days dage - + Advanced Avanceret - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>Bruger valgte parametre for JT65 VHF/UHF/Microwave dekoning.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters JT65/VHF/UHF/Microwave parametre - + Random erasure patterns: Tilfældige sletningsmønstre: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p> Maksimum antal sletningsmønstre til stokastisk soft-beslutning Reed Solomon-dekoder er 10^(n/2).</p></body></html> - + Aggressive decoding level: Aggressiv dekoder niveau: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>Højere niveau vil øge dekodningen, men vil også øge chanchen for falske dekodninger.</p></body></html> - + Two-pass decoding To-pass dekodning - + Special operating activity: Generation of FT4, FT8, and MSK144 messages Special operations aktivitet: Generering af FT4, FT8 og MSK 144 meddelser - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>FT8 DXpedition mode: Hound operatører der kalder på DX.</p></body></html> - + + Hound Hound - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>Nord Amerikansk VHF/UHF/Microwave contests og andre hvor 4 karakter Grid lokator er påkrævet for Contest rpt udveksling.</p></body></html> - + + NA VHF Contest NA VHF Contest - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operatør.</p></body></html> - + + Fox Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>European VHF+ contests kræver en siganl rapport, serie nummer og 6 karakters lokator.</p></body></html> - + + EU VHF Contest EU VHF Contest - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup og ligende contests. Exchange er US state, Canadian province, eller &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages RTTY Roundup meddelser - + + RTTY Roundup exchange + + + + RTTY RU Exch: RTTU RU Exch: - + NJ NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL Field Day exchange: antal transmittere, Class, og ARRL/RAC sektion eller &quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day ARRL Field Day - + + Field Day exchange + + + + FD Exch: FD Exch: - + 6A SNJ 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest WW Digi Contest - + Miscellaneous Diverse - + Degrade S/N of .wav file: Degrade S/N .wav.fil: - - + + For offline sensitivity tests Til offline følsomheds test - + dB dB - + Receiver bandwidth: Modtager båndbredde: - + Hz Hz - + Tx delay: Tx delay: - + Minimum delay between assertion of PTT and start of Tx audio. Minimum forsinkelse mellen aktivering af PTT og start af Tx audio. - + s s - + + Tone spacing Tone afstand - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>Generer Tx audio med dobbelt af den normale tone afstand. Beregnet til special LF/MF transmittere som bruger divideret med-2 før generering af RF.</p></body></html> - + x 2 x2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>Generer Tx audio med 4 gange den normale tone afstand. Beregnet til special LF/MF transmittere som bruger divideret med-4 før generering af RF.</p></body></html> - + x 4 x4 - + + Waterfall spectra Vandfald Spektrum - + Low sidelobes Lave sidelobes - + Most sensitive Mest følsom - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p> Forkast (Annuller) eller anvend (OK) konfigurationsændringer inklusive</p><p>nulstilling af radiog interface og anvendelse af lydkortændringer</p></body></html> @@ -6614,12 +6753,12 @@ Højre klik for at indsætte eller slette elementer. Kan ikke oprette delt hukommelse segment - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_en.ts b/translations/wsjtx_en.ts index 5993e0fec..16dc8e0fd 100644 --- a/translations/wsjtx_en.ts +++ b/translations/wsjtx_en.ts @@ -130,17 +130,17 @@ - + Doppler Tracking Error - + Split operating is required for Doppler tracking - + Go to "Menu->File->Settings->Radio" to enable split operation @@ -148,32 +148,32 @@ Bands - + Band name - + Lower frequency limit - + Upper frequency limit - + Band - + Lower Limit - + Upper Limit @@ -369,75 +369,75 @@ Configuration::impl - - - + + + &Delete - - + + &Insert ... - + Failed to create save directory - + path: "%1% - + Failed to create samples directory - + path: "%1" - + &Load ... - + &Save as ... - + &Merge ... - + &Reset - + Serial Port: - + Serial port used for CAT control - + Network Server: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -447,12 +447,12 @@ Formats: - + USB Device: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -460,152 +460,153 @@ Format: - + + Invalid audio input device - - Invalid audio out device + + Invalid audio output device - + Invalid PTT method - + Invalid PTT port - - + + Invalid Contest Exchange - + You must input a valid ARRL Field Day exchange - + You must input a valid ARRL RTTY Roundup exchange - + Reset Decode Highlighting - + Reset all decode highlighting and priorities to default values - + WSJT-X Decoded Text Font Chooser - + Load Working Frequencies - - - + + + Frequency files (*.qrg);;All files (*.*) - + Replace Working Frequencies - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? - + Merge Working Frequencies - - - + + + Not a valid frequencies file - + Incorrect file magic - + Version is too new - + Contents corrupt - + Save Working Frequencies - + Only Save Selected Working Frequencies - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. - + Reset Working Frequencies - + Are you sure you want to discard your current working frequencies and replace them with default ones? - + Save Directory - + AzEl Directory - + Rig control error - + Failed to open connection to rig - + Rig failure @@ -1419,22 +1420,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency - + IARU &Region: - + &Mode: - + &Frequency (MHz): @@ -1442,26 +1443,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region - - + + Mode - - + + Frequency - - + + Frequency (MHz) @@ -2027,12 +2028,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity @@ -2044,11 +2046,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency @@ -2083,122 +2086,237 @@ Error(%2): %3 - + &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> - + Erase right window. Double-click to erase both windows. - + &Erase - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> - + Clear the accumulating message average. - + Clear Avg - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> - + Decode most recent Rx period at QSO Frequency - + &Decode - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> - + Toggle Auto-Tx On/Off - + E&nable Tx - + Stop transmitting immediately - + &Halt Tx - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> - + Toggle a pure Tx tone On/Off - + &Tune - + Menus - + + 1/2 + + + + + 2/2 + + + + + 1/3 + + + + + 2/3 + + + + + 3/3 + + + + + 1/4 + + + + + 2/4 + + + + + 3/4 + + + + + 4/4 + + + + + 1/5 + + + + + 2/5 + + + + + 3/5 + + + + + 4/5 + + + + + 5/5 + + + + + 1/6 + + + + + 2/6 + + + + + 3/6 + + + + + 4/6 + + + + + 5/6 + + + + + 6/6 + + + + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency - + 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> - + Rx Signal - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2206,619 +2324,626 @@ Yellow when too low - + DX Call - + DX Grid - + Callsign of station to be worked - + Search for callsign in database - + &Lookup - + Locator of station to be worked - + Az: 251 16553 km - + Add callsign and locator to database - + Add - + Pwr - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. - + ? - + Adjust Tx audio level - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> - + Frequency entry - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. - + Hold Tx Freq - + Audio Rx frequency - - - + + + + + Hz - + + Rx - + + Set Tx frequency to Rx Frequency - + - + Frequency tolerance (Hz) - + + F Tol - + + Set Rx frequency to Tx Frequency - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. - + Sync - + <html><head/><body><p>Check to use short-format messages.</p></body></html> - + Check to use short-format messages. - + Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> - + Check to enable JT9 fast modes - - + + Fast - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. - + Auto Seq - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> - + Check to call the first decoded responder to my CQ. - + Call 1st - + Check to generate "@1250 (SEND MSGS)" in Tx6. - + Tx6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. - + Tx even/1st - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> - + Frequency to call CQ on in kHz above the current MHz - + Tx CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. - + Rx All Freqs - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> - + Submode determines tone spacing; A is narrowest. - + Submode - - + + Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> - + Check to monitor Sh messages. - + SWL - + Best S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. - + Measure - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). - + Report - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> - + Tx/Rx or Frequency calibration sequence length - + + s - + + T/R - + Toggle Tx mode - + Tx JT9 @ - + Audio Tx frequency - - + + Tx - + Tx# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. - + Next Call - + 1 - - - + + + Send this message in next Tx interval - + Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) - + Ctrl+1 - - - - + + + + Switch to this Tx message NOW - + Tx &2 - + Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) - + Tx &1 - + Alt+1 - + Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message - + Ctrl+5 - + Ctrl+3 - + Tx &3 - + Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required - + Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required - + Tx &4 - + Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message - + Tx &5 - + Alt+5 - + Now - + Generate standard messages for minimal QSO - + Generate Std Msgs - + Tx &6 - + Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2826,989 +2951,834 @@ list. The list can be maintained in Settings (F2). - + Queue up the next Tx message - + Next - + 2 - - Calling CQ + + Quick-Start Guide to FST4 and FST4W - - Generate a CQ message + + FST4 - - - + + FST4W + + + + + CQ - - Generate message with RRR - - - - - RRR - - - - - Generate message with report - - - - - dB - - - - - Answering CQ - - - - - Generate message for replying to a CQ - - - - - + Grid - - Generate message with R+report - - - - - R+dB - - - - - Generate message with 73 - - - - - 73 - - - - - Send this standard (generated) message - - - - - Gen msg - - - - - Send this free-text message (max 13 characters) - - - - - Free msg - - - - - 3 - - - - + Max dB - + CQ AF - + CQ AN - + CQ AS - + CQ EU - + CQ NA - + CQ OC - + CQ SA - + CQ 0 - + CQ 1 - + CQ 2 - + CQ 3 - + CQ 4 - + CQ 5 - + CQ 6 - + CQ 7 - + CQ 8 - + CQ 9 - + Reset - + N List - + N Slots - - + + + + + + + Random - + Call - + S/N (dB) - + Distance - + More CQs - - Percentage of 2-minute sequences devoted to transmitting. - - - - + + % - + Tx Pct - + Band Hopping - + Choose bands and times of day for band-hopping. - + Schedule ... - - Prefer type 1 messages - - - - + Upload decoded messages to WSPRnet.org. - + Upload spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. - + No own call decodes - - Transmit during the next 2-minute sequence. - - - - + Tx Next - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. - + + NB + + + + File - + View - + Decode - + Save - + Help - + Mode - + Configurations - + Tools - + Exit - - Configuration - - - - - F2 - - - - + About WSJT-X - + Waterfall - + Open - + Ctrl+O - + Open next in directory - + Decode remaining files in directory - + Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir - + None - + Save all - + Online User Guide - + Keyboard shortcuts - + Special mouse commands - + JT9 - + Save decoded - + Normal - + Deep - - Monitor OFF at startup - - - - + Erase ALL.TXT - + Erase wsjtx_log.adi - - Convert mode to RTTY for logging - - - - - Log dB reports to Comments - - - - - Prompt me to log QSO - - - - - Blank line between decoding periods - - - - - Clear DX Call and Grid after logging - - - - - Display distance in miles - - - - - Double-click on call sets Tx Enable - - - - - + F7 - - Tx disabled after sending 73 - - - - - + Runaway Tx watchdog - - Allow multiple instances - - - - - Tx freq locked to Rx freq - - - - + JT65 - + JT9+JT65 - - Tx messages to Rx Frequency window - - - - - Gray1 - - - - - Show DXCC entity and worked B4 status - - - - + Astronomical data - + List of Type 1 prefixes and suffixes - + Settings... - + Local User Guide - + Open log directory - + JT4 - + Message averaging - + Enable averaging - + Enable deep search - + WSPR - + Echo Graph - + F8 - + Echo - + EME Echo mode - + ISCAT - + Fast Graph - + F9 - + &Download Samples ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> - + MSK144 - + QRA64 - + Release Notes - + Enable AP for DX Call - + FreqCal - + Measure reference spectrum - + Measure phase response - + Erase reference spectrum - + Execute frequency calibration cycle - + Equalization tools ... - - WSPR-LF - - - - - Experimental LF/MF mode - - - - + FT8 - - + + Enable AP - + Solve for calibration parameters - + Copyright notice - + Shift+F1 - + Fox log - + FT8 DXpedition Mode User Guide - + Reset Cabrillo log ... - + Color highlighting scheme - - Contest Log - - - - + Export Cabrillo log ... - - Quick-Start Guide to WSJT-X 2.0 - - - - + Contest log - + Erase WSPR hashtable - + FT4 - + Rig Control Error - - - + + + Receiving - + Do you want to reconfigure the radio interface? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log - + Scanned ADIF log, %1 worked before records created - + Error Loading LotW Users Data - + Error Writing WAV File - + Configurations... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message - + Error Killing jt9.exe Process - + KillByName return code: %1 - + Error removing "%1" - + Click OK to retry - - + + Improper mode - - + + File Open Error - - - - - + + + + + Cannot open "%1" for append: %2 - + Error saving c2 file - + Error in Sound Input - + Error in Sound Output - - - + + + Single-Period Decodes - - - + + + Average Decodes - + Change Operator - + New operator: - + Status File Error - - + + Cannot open "%1" for writing: %2 - + Subprocess Error - + Subprocess failed with exit code %1 - - + + Running: %1 %2 - + Subprocess error - + Reference spectrum saved - + Invalid data in fmt.all at line %1 - + Good Calibration Solution - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3817,44 +3787,44 @@ list. The list can be maintained in Settings (F2). - + Delete Calibration Measurements - + The "fmt.all" file will be renamed as "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." - + No data read from disk. Wrong file format? - + Confirm Delete - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? - + Keyboard Shortcuts - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -3904,12 +3874,12 @@ list. The list can be maintained in Settings (F2). - + Special Mouse Commands - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -3920,7 +3890,7 @@ list. The list can be maintained in Settings (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -3928,10 +3898,10 @@ list. The list can be maintained in Settings (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -3945,42 +3915,42 @@ list. The list can be maintained in Settings (F2). - + No more files to open. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. - + WSPR Guard Band - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. - + Fox Mode warning - + Last Tx: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -3988,181 +3958,176 @@ To do so, check 'Special operating activity' and - + Should you switch to ARRL Field Day mode? - + Should you switch to RTTY contest mode? - - - - + + + + Add to CALL3.TXT - + Please enter a valid grid locator - + Cannot open "%1" for read/write: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? - + Warning: DX Call field is empty. - + Log file error - + Cannot open "%1" - + Error sending log to N1MM - + Write returned "%1" - + Stations calling DXpedition %1 - + Hound - + Tx Messages - - - + + + Confirm Erase - + Are you sure you want to erase file ALL.TXT? - - + + Confirm Reset - + Are you sure you want to erase your contest log? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. - + Cabrillo Log saved - + Are you sure you want to erase file wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? - - VHF features warning - - - - + Tune digital gain - + Transmit digital gain - + Prefixes - + Network Error - + Error: %1 UDP server %2:%3 - + File Error - + Phase Training Disabled - + Phase Training Enabled - + WD:%1m - - + + Log File Error - + Are you sure you want to clear the QSO queues? @@ -4184,8 +4149,8 @@ UDP server %2:%3 Modes - - + + Mode @@ -4338,7 +4303,7 @@ UDP server %2:%3 - + OOB @@ -4515,7 +4480,7 @@ Error(%2): %3 - + Requested input audio format is not valid. @@ -4525,37 +4490,37 @@ Error(%2): %3 - + Failed to initialize audio sink device - + Idle - + Receiving - + Suspended - + Interrupted - + Error - + Stopped @@ -4563,62 +4528,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. - + An error occurred during write to the audio output device. - + Audio data not being fed to the audio output device fast enough. - + Non-recoverable error, audio output device not usable at this time. - + Requested output audio format is not valid. - + Requested output audio format is not supported on device. - + + No audio output device configured. + + + + Idle - + Sending - + Suspended - + Interrupted - + Error - + Stopped @@ -4626,22 +4596,22 @@ Error(%2): %3 StationDialog - + Add Station - + &Band: - + &Offset (MHz): - + &Antenna: @@ -4831,12 +4801,12 @@ Error(%2): %3 - JT9 + Hz - JT65 + Split @@ -4871,6 +4841,29 @@ Error(%2): %3 + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5068,11 +5061,6 @@ Error(%2): %3 minutes - - - Enable VHF/UHF/Microwave features - - Single decode @@ -5184,7 +5172,7 @@ quiet period when decoding is done. - + Port: @@ -5195,333 +5183,336 @@ quiet period when decoding is done. + Serial Port Parameters - + Baud Rate: - + Serial port data rate which must match the setting of your radio. - + 1200 - + 2400 - + 4800 - + 9600 - + 19200 - + 38400 - + 57600 - + 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> - + Data Bits - + D&efault - + Se&ven - + E&ight - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> - + Stop Bits - - + + Default - + On&e - + T&wo - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> - + + Handshake - + &None - + Software flow control (very rare on CAT interfaces). - + XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). - + &Hardware - + Special control of CAT port control lines. - + + Force Control Lines - - + + High - - + + Low - + DTR: - + RTS: - + How this program activates the PTT on your radio? - + PTT Method - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> - + VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> - + &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. - + C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> - + R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> - + Modulation mode selected on radio. - + Mode - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> - + US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). - - + + None - + If this is available then it is usually the correct mode for this program. - + Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). - + Transmit Audio Source - + Rear&/Data - + &Front/Mic - + Rig: - + Poll Interval: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> - + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> - + Test CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5530,47 +5521,47 @@ radio interface behave as expected. - + Test PTT - + Split Operation - + Fake It - + Rig - + A&udio - + Audio interface settings - + Souncard - + Soundcard - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5579,46 +5570,51 @@ transmitting periods. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. - + &Input: - + Select the channel to use for receiving. - - + + Mono - - + + Left - - + + Right - - + + Both - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5626,147 +5622,162 @@ both here. - + + Enable VHF and submode features + + + + + Data bits + + + + + Stop bits + + + + Ou&tput: - - + + Save Directory - + Loc&ation: - + Path to which .WAV files are saved. - - + + TextLabel - + Click to select a different save directory for .WAV files. - + S&elect - - + + AzEl Directory - + Location: - + Select - + Power Memory By Band - + Remember power settings by band - + Enable power memory during transmit - + Transmit - + Enable power memory during tuning - + Tune - + Tx &Macros - + Canned free text messages setup - + &Add - + &Delete - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items - + Reportin&g - + Reporting and logging settings - + Logging - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. - + Promp&t me to log QSO - + Op Call: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5774,557 +5785,593 @@ comments field. - + d&B reports to comments - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. - + Clear &DX call and grid after logging - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> - + Con&vert mode to RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> - + Log automatically (contesting only) - + Network Services - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + Enable &PSK Reporter Spotting - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server - + UDP Server: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> - + UDP Server port number: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> - + Accept UDP requests - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> - + Notify on accepted UDP request - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> - + Accepted UDP request restores window - + Secondary UDP Server (deprecated) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> - + Enable logged contact ADIF broadcast - + Server name or IP address: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> - + Server port number: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> - + Frequencies - + Default frequencies and band specific station details setup - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> - + Frequency Calibration - + Slope: - + ppm - + Intercept: - + Hz - + Working Frequencies - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> - + Station Information - + Items may be edited. Right click for insert and delete options. - + Colors - + Decode Highlightling - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> - + Rescan ADIF Log - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> - + Reset Highlighting - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> - + Highlight by Mode - + Include extra WAE entities - + Check to for grid highlighting to only apply to unworked grid fields - + Only grid Fields sought - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> - + Logbook of the World User Validation - + Users CSV file URL: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> - + Fetch Now - + Age of last upload less than: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> - + days - + Advanced - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters - + Random erasure patterns: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> - + Aggressive decoding level: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> - + Two-pass decoding - + Special operating activity: Generation of FT4, FT8, and MSK144 messages - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> - + + Hound - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> - + + NA VHF Contest - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> - + + Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> - + + EU VHF Contest - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages - + + RTTY Roundup exchange + + + + RTTY RU Exch: - + NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> - - ARRL Field Day - - - - - FD Exch: + + A R R L Field Day + ARRL Field Day + + + + + Field Day exchange + + + + + FD Exch: + + + + 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest - + Miscellaneous - + Degrade S/N of .wav file: - - + + For offline sensitivity tests - + dB - + Receiver bandwidth: - + Hz - + Tx delay: - + Minimum delay between assertion of PTT and start of Tx audio. - + s - + + Tone spacing - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> - + x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> - + x 4 - + + Waterfall spectra - + Low sidelobes - + Most sensitive - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> @@ -6383,12 +6430,12 @@ Right click for insert and delete options. - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_en_GB.ts b/translations/wsjtx_en_GB.ts index 071d11b48..523f654d7 100644 --- a/translations/wsjtx_en_GB.ts +++ b/translations/wsjtx_en_GB.ts @@ -130,17 +130,17 @@ - + Doppler Tracking Error - + Split operating is required for Doppler tracking - + Go to "Menu->File->Settings->Radio" to enable split operation @@ -148,32 +148,32 @@ Bands - + Band name - + Lower frequency limit - + Upper frequency limit - + Band - + Lower Limit - + Upper Limit @@ -369,75 +369,75 @@ Configuration::impl - - - + + + &Delete - - + + &Insert ... - + Failed to create save directory - + path: "%1% - + Failed to create samples directory - + path: "%1" - + &Load ... - + &Save as ... - + &Merge ... - + &Reset - + Serial Port: - + Serial port used for CAT control - + Network Server: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -447,12 +447,12 @@ Formats: - + USB Device: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -460,152 +460,153 @@ Format: - + + Invalid audio input device - - Invalid audio out device + + Invalid audio output device - + Invalid PTT method - + Invalid PTT port - - + + Invalid Contest Exchange - + You must input a valid ARRL Field Day exchange - + You must input a valid ARRL RTTY Roundup exchange - + Reset Decode Highlighting - + Reset all decode highlighting and priorities to default values - + WSJT-X Decoded Text Font Chooser - + Load Working Frequencies - - - + + + Frequency files (*.qrg);;All files (*.*) - + Replace Working Frequencies - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? - + Merge Working Frequencies - - - + + + Not a valid frequencies file - + Incorrect file magic - + Version is too new - + Contents corrupt - + Save Working Frequencies - + Only Save Selected Working Frequencies - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. - + Reset Working Frequencies - + Are you sure you want to discard your current working frequencies and replace them with default ones? - + Save Directory - + AzEl Directory - + Rig control error - + Failed to open connection to rig - + Rig failure @@ -1419,22 +1420,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency - + IARU &Region: - + &Mode: - + &Frequency (MHz): @@ -1442,26 +1443,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region - - + + Mode - - + + Frequency - - + + Frequency (MHz) @@ -2027,12 +2028,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity @@ -2044,11 +2046,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency @@ -2083,122 +2086,237 @@ Error(%2): %3 - + &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> - + Erase right window. Double-click to erase both windows. - + &Erase - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> - + Clear the accumulating message average. - + Clear Avg - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> - + Decode most recent Rx period at QSO Frequency - + &Decode - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> - + Toggle Auto-Tx On/Off - + E&nable Tx - + Stop transmitting immediately - + &Halt Tx - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> - + Toggle a pure Tx tone On/Off - + &Tune - + Menus - + + 1/2 + + + + + 2/2 + + + + + 1/3 + + + + + 2/3 + + + + + 3/3 + + + + + 1/4 + + + + + 2/4 + + + + + 3/4 + + + + + 4/4 + + + + + 1/5 + + + + + 2/5 + + + + + 3/5 + + + + + 4/5 + + + + + 5/5 + + + + + 1/6 + + + + + 2/6 + + + + + 3/6 + + + + + 4/6 + + + + + 5/6 + + + + + 6/6 + + + + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency - + 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> - + Rx Signal - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2206,619 +2324,626 @@ Yellow when too low - + DX Call - + DX Grid - + Callsign of station to be worked - + Search for callsign in database - + &Lookup - + Locator of station to be worked - + Az: 251 16553 km - + Add callsign and locator to database - + Add - + Pwr - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. - + ? - + Adjust Tx audio level - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> - + Frequency entry - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. - + Hold Tx Freq - + Audio Rx frequency - - - + + + + + Hz - + + Rx - + + Set Tx frequency to Rx Frequency - + - + Frequency tolerance (Hz) - + + F Tol - + + Set Rx frequency to Tx Frequency - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. - + Sync - + <html><head/><body><p>Check to use short-format messages.</p></body></html> - + Check to use short-format messages. - + Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> - + Check to enable JT9 fast modes - - + + Fast - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. - + Auto Seq - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> - + Check to call the first decoded responder to my CQ. - + Call 1st - + Check to generate "@1250 (SEND MSGS)" in Tx6. - + Tx6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. - + Tx even/1st - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> - + Frequency to call CQ on in kHz above the current MHz - + Tx CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. - + Rx All Freqs - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> - + Submode determines tone spacing; A is narrowest. - + Submode - - + + Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> - + Check to monitor Sh messages. - + SWL - + Best S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. - + Measure - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). - + Report - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> - + Tx/Rx or Frequency calibration sequence length - + + s - + + T/R - + Toggle Tx mode - + Tx JT9 @ - + Audio Tx frequency - - + + Tx - + Tx# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. - + Next Call - + 1 - - - + + + Send this message in next Tx interval - + Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) - + Ctrl+1 - - - - + + + + Switch to this Tx message NOW - + Tx &2 - + Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) - + Tx &1 - + Alt+1 - + Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message - + Ctrl+5 - + Ctrl+3 - + Tx &3 - + Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required - + Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required - + Tx &4 - + Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message - + Tx &5 - + Alt+5 - + Now - + Generate standard messages for minimal QSO - + Generate Std Msgs - + Tx &6 - + Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2826,989 +2951,834 @@ list. The list can be maintained in Settings (F2). - + Queue up the next Tx message - + Next - + 2 - - Calling CQ + + Quick-Start Guide to FST4 and FST4W - - Generate a CQ message + + FST4 - - - + + FST4W + + + + + CQ - - Generate message with RRR - - - - - RRR - - - - - Generate message with report - - - - - dB - - - - - Answering CQ - - - - - Generate message for replying to a CQ - - - - - + Grid - - Generate message with R+report - - - - - R+dB - - - - - Generate message with 73 - - - - - 73 - - - - - Send this standard (generated) message - - - - - Gen msg - - - - - Send this free-text message (max 13 characters) - - - - - Free msg - - - - - 3 - - - - + Max dB - + CQ AF - + CQ AN - + CQ AS - + CQ EU - + CQ NA - + CQ OC - + CQ SA - + CQ 0 - + CQ 1 - + CQ 2 - + CQ 3 - + CQ 4 - + CQ 5 - + CQ 6 - + CQ 7 - + CQ 8 - + CQ 9 - + Reset - + N List - + N Slots - - + + + + + + + Random - + Call - + S/N (dB) - + Distance - + More CQs - - Percentage of 2-minute sequences devoted to transmitting. - - - - + + % - + Tx Pct - + Band Hopping - + Choose bands and times of day for band-hopping. - + Schedule ... - - Prefer type 1 messages - - - - + Upload decoded messages to WSPRnet.org. - + Upload spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. - + No own call decodes - - Transmit during the next 2-minute sequence. - - - - + Tx Next - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. - + + NB + + + + File - + View - + Decode - + Save - + Help - + Mode - + Configurations - + Tools - + Exit - - Configuration - - - - - F2 - - - - + About WSJT-X - + Waterfall - + Open - + Ctrl+O - + Open next in directory - + Decode remaining files in directory - + Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir - + None - + Save all - + Online User Guide - + Keyboard shortcuts - + Special mouse commands - + JT9 - + Save decoded - + Normal - + Deep - - Monitor OFF at startup - - - - + Erase ALL.TXT - + Erase wsjtx_log.adi - - Convert mode to RTTY for logging - - - - - Log dB reports to Comments - - - - - Prompt me to log QSO - - - - - Blank line between decoding periods - - - - - Clear DX Call and Grid after logging - - - - - Display distance in miles - - - - - Double-click on call sets Tx Enable - - - - - + F7 - - Tx disabled after sending 73 - - - - - + Runaway Tx watchdog - - Allow multiple instances - - - - - Tx freq locked to Rx freq - - - - + JT65 - + JT9+JT65 - - Tx messages to Rx Frequency window - - - - - Gray1 - - - - - Show DXCC entity and worked B4 status - - - - + Astronomical data - + List of Type 1 prefixes and suffixes - + Settings... - + Local User Guide - + Open log directory - + JT4 - + Message averaging - + Enable averaging - + Enable deep search - + WSPR - + Echo Graph - + F8 - + Echo - + EME Echo mode - + ISCAT - + Fast Graph - + F9 - + &Download Samples ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> - + MSK144 - + QRA64 - + Release Notes - + Enable AP for DX Call - + FreqCal - + Measure reference spectrum - + Measure phase response - + Erase reference spectrum - + Execute frequency calibration cycle - + Equalization tools ... - - WSPR-LF - - - - - Experimental LF/MF mode - - - - + FT8 - - + + Enable AP - + Solve for calibration parameters - + Copyright notice - + Shift+F1 - + Fox log - + FT8 DXpedition Mode User Guide - + Reset Cabrillo log ... - + Color highlighting scheme - - Contest Log - - - - + Export Cabrillo log ... - - Quick-Start Guide to WSJT-X 2.0 - - - - + Contest log - + Erase WSPR hashtable - + FT4 - + Rig Control Error - - - + + + Receiving - + Do you want to reconfigure the radio interface? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log - + Scanned ADIF log, %1 worked before records created - + Error Loading LotW Users Data - + Error Writing WAV File - + Configurations... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message - + Error Killing jt9.exe Process - + KillByName return code: %1 - + Error removing "%1" - + Click OK to retry - - + + Improper mode - - + + File Open Error - - - - - + + + + + Cannot open "%1" for append: %2 - + Error saving c2 file - + Error in Sound Input - + Error in Sound Output - - - + + + Single-Period Decodes - - - + + + Average Decodes - + Change Operator - + New operator: - + Status File Error - - + + Cannot open "%1" for writing: %2 - + Subprocess Error - + Subprocess failed with exit code %1 - - + + Running: %1 %2 - + Subprocess error - + Reference spectrum saved - + Invalid data in fmt.all at line %1 - + Good Calibration Solution - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3817,44 +3787,44 @@ list. The list can be maintained in Settings (F2). - + Delete Calibration Measurements - + The "fmt.all" file will be renamed as "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." - + No data read from disk. Wrong file format? - + Confirm Delete - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? - + Keyboard Shortcuts - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -3904,12 +3874,12 @@ list. The list can be maintained in Settings (F2). - + Special Mouse Commands - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -3920,7 +3890,7 @@ list. The list can be maintained in Settings (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -3928,10 +3898,10 @@ list. The list can be maintained in Settings (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -3945,42 +3915,42 @@ list. The list can be maintained in Settings (F2). - + No more files to open. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. - + WSPR Guard Band - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. - + Fox Mode warning - + Last Tx: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -3988,181 +3958,176 @@ To do so, check 'Special operating activity' and - + Should you switch to ARRL Field Day mode? - + Should you switch to RTTY contest mode? - - - - + + + + Add to CALL3.TXT - + Please enter a valid grid locator - + Cannot open "%1" for read/write: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? - + Warning: DX Call field is empty. - + Log file error - + Cannot open "%1" - + Error sending log to N1MM - + Write returned "%1" - + Stations calling DXpedition %1 - + Hound - + Tx Messages - - - + + + Confirm Erase - + Are you sure you want to erase file ALL.TXT? - - + + Confirm Reset - + Are you sure you want to erase your contest log? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. - + Cabrillo Log saved - + Are you sure you want to erase file wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? - - VHF features warning - - - - + Tune digital gain - + Transmit digital gain - + Prefixes - + Network Error - + Error: %1 UDP server %2:%3 - + File Error - + Phase Training Disabled - + Phase Training Enabled - + WD:%1m - - + + Log File Error - + Are you sure you want to clear the QSO queues? @@ -4184,8 +4149,8 @@ UDP server %2:%3 Modes - - + + Mode @@ -4338,7 +4303,7 @@ UDP server %2:%3 - + OOB @@ -4515,7 +4480,7 @@ Error(%2): %3 - + Requested input audio format is not valid. @@ -4525,37 +4490,37 @@ Error(%2): %3 - + Failed to initialize audio sink device - + Idle - + Receiving - + Suspended - + Interrupted - + Error - + Stopped @@ -4563,62 +4528,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. - + An error occurred during write to the audio output device. - + Audio data not being fed to the audio output device fast enough. - + Non-recoverable error, audio output device not usable at this time. - + Requested output audio format is not valid. - + Requested output audio format is not supported on device. - + + No audio output device configured. + + + + Idle - + Sending - + Suspended - + Interrupted - + Error - + Stopped @@ -4626,22 +4596,22 @@ Error(%2): %3 StationDialog - + Add Station - + &Band: - + &Offset (MHz): - + &Antenna: @@ -4831,12 +4801,12 @@ Error(%2): %3 - JT9 + Hz - JT65 + Split @@ -4871,6 +4841,29 @@ Error(%2): %3 + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5068,11 +5061,6 @@ Error(%2): %3 minutes - - - Enable VHF/UHF/Microwave features - - Single decode @@ -5184,7 +5172,7 @@ quiet period when decoding is done. - + Port: @@ -5195,313 +5183,326 @@ quiet period when decoding is done. + Serial Port Parameters - + Baud Rate: - + Serial port data rate which must match the setting of your radio. - + 1200 - + 2400 - + 4800 - + 9600 - + 19200 - + 38400 - + 57600 - + 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> - - Data Bits + + Data bits + Data Bits + + + + D&efault - + Se&ven - + E&ight - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> - + + Stop bits + + + + Stop Bits - - + + Default - + On&e - + T&wo - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> - + + Handshake - + &None - + Software flow control (very rare on CAT interfaces). - + XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). - + &Hardware - + Special control of CAT port control lines. - + + Force Control Lines - - + + High - - + + Low - + DTR: - + RTS: - + PTT Method - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> - + VO&X - + &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. - + C&AT - + R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> - + Modulation mode selected on radio. - + Mode - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> - + US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). - - + + None - + Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). - + Transmit Audio Source - + Rear&/Data - + &Front/Mic - + Rig: - + Poll Interval: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> - + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> - + Test CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5510,47 +5511,47 @@ radio interface behave as expected. - + Test PTT - + Split Operation - + Fake It - + Rig - + A&udio - + Audio interface settings - + Souncard - + Soundcard - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5559,46 +5560,51 @@ transmitting periods. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. - + &Input: - + Select the channel to use for receiving. - - + + Mono - - + + Left - - + + Right - - + + Both - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5606,147 +5612,152 @@ both here. - + + Enable VHF and submode features + + + + Ou&tput: - - + + Save Directory - + Loc&ation: - + Path to which .WAV files are saved. - - + + TextLabel - + Click to select a different save directory for .WAV files. - + S&elect - - + + AzEl Directory - + Location: - + Select - + Power Memory By Band - + Remember power settings by band - + Enable power memory during transmit - + Transmit - + Enable power memory during tuning - + Tune - + Tx &Macros - + Canned free text messages setup - + &Add - + &Delete - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items - + Reportin&g - + Reporting and logging settings - + Logging - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. - + Promp&t me to log QSO - + Op Call: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5754,577 +5765,613 @@ comments field. - + d&B reports to comments - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. - + Clear &DX call and grid after logging - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> - + Con&vert mode to RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> - + Log automatically (contesting only) - + Network Services - + Enable &PSK Reporter Spotting - + UDP Server - + UDP Server: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> - + UDP Server port number: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> - + Accept UDP requests - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> - + Notify on accepted UDP request - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> - + Accepted UDP request restores window - + Secondary UDP Server (deprecated) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> - + Enable logged contact ADIF broadcast - + Server name or IP address: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> - + Server port number: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> - + Frequencies - + Default frequencies and band specific station details setup - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> - + Frequency Calibration - + Slope: - + ppm - + Intercept: - + Hz - + Working Frequencies - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> - + Station Information - + Items may be edited. Right click for insert and delete options. - + Colors Colours - + Decode Highlightling - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> - + Reset Highlighting - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> - + Highlight by Mode - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> - + How this program activates the PTT on your radio? - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> - + If this is available then it is usually the correct mode for this program. - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + Rescan ADIF Log - + Include extra WAE entities - + Check to for grid highlighting to only apply to unworked grid fields - + Only grid Fields sought - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> - + Logbook of the World User Validation - + Users CSV file URL: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> - + Fetch Now - + Age of last upload less than: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> - + days - + Advanced - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters - + Random erasure patterns: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> - + Aggressive decoding level: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> - + Two-pass decoding - + Special operating activity: Generation of FT4, FT8, and MSK144 messages - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> - + + Hound - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> - + + NA VHF Contest - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> - + + Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> - + + EU VHF Contest - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages - + + RTTY Roundup exchange + + + + RTTY RU Exch: - + NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> - - ARRL Field Day - - - - - FD Exch: + + A R R L Field Day + ARRL Field Day + + + + + Field Day exchange + + + + + FD Exch: + + + + 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest - + Miscellaneous - + Degrade S/N of .wav file: - - + + For offline sensitivity tests - + dB - + Receiver bandwidth: - + Hz - + Tx delay: - + Minimum delay between assertion of PTT and start of Tx audio. - + s - + + Tone spacing - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> - + x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> - + x 4 - + + Waterfall spectra - + Low sidelobes - + Most sensitive - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> @@ -6383,12 +6430,12 @@ Right click for insert and delete options. - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_es.ts b/translations/wsjtx_es.ts index 96c2945f0..1302c2bda 100644 --- a/translations/wsjtx_es.ts +++ b/translations/wsjtx_es.ts @@ -150,19 +150,19 @@ Datos Astronómicos - + Doppler Tracking Error Error de seguimiento de Doppler Seguimiento de error Doppler - + Split operating is required for Doppler tracking Se requiere un funcionamiento dividido para el seguimiento Doppler Operación en "Split" es requerida para seguimiento Doppler - + Go to "Menu->File->Settings->Radio" to enable split operation Ves a "Menú-> Archivo-> Configuración-> Radio" para habilitar la operación dividida Ir a "Menú - Archivo - Ajustes - Radio" para habilitar la operación en "Split" @@ -171,33 +171,33 @@ Bands - + Band name Nombre de la Banda Nombre de la banda - + Lower frequency limit Límite de frecuencia inferior - + Upper frequency limit Límite de frecuencia superior - + Band Banda - + Lower Limit Límite inferior - + Upper Limit Limite superior @@ -404,81 +404,81 @@ Configuration::impl - - - + + + &Delete &Borrar - - + + &Insert ... &Introducir ... &Agregar... - + Failed to create save directory No se pudo crear el directorio para guardar No se pudo crear el directorio "Save" - + path: "%1% ruta: "%1% - + Failed to create samples directory No se pudo crear el directorio de ejemplos No se pudo crear el directorio "Samples" - + path: "%1" ruta: "%1" - + &Load ... &Carga ... &Cargar ... - + &Save as ... &Guardar como ... &Guardar como ... - + &Merge ... &Fusionar ... &Fusionar ... - + &Reset &Reiniciar - + Serial Port: Puerto Serie: - + Serial port used for CAT control Puerto serie utilizado para el control CAT - + Network Server: Servidor de red: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -499,12 +499,12 @@ Formatos: [dirección IPv6]:port - + USB Device: Dispositivo USB: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -519,172 +519,177 @@ Formato: [VID[:PID[:VENDOR[:PRODUCT]]]] - + + Invalid audio input device El dispositivo de entrada de audio no es válido Dispositivo de entrada de audio no válido - Invalid audio out device El dispositivo de salida de audio no es válido - Dispositivo de salida de audio no válido + Dispositivo de salida de audio no válido - + + Invalid audio output device + + + + Invalid PTT method El método de PTT no es válido Método PTT no válido - + Invalid PTT port El puerto del PTT no es válido Puerto PTT no válido - - + + Invalid Contest Exchange Intercambio de concurso no válido - + You must input a valid ARRL Field Day exchange Debes introducir un intercambio de Field Day del ARRL válido Debe introducir un intercambio válido para el ARRL Field Day - + You must input a valid ARRL RTTY Roundup exchange Debes introducir un intercambio válido de la ARRL RTTY Roundup Debe introducir un intercambio válido para el ARRL RTTY Roundup - + Reset Decode Highlighting Restablecer Resaltado de Decodificación Restablecer resaltado de colores de decodificados - + Reset all decode highlighting and priorities to default values Restablecer todo el resaltado y las prioridades de decodificación a los valores predeterminados Restablecer todo el resaltado de colores y prioridades a los valores predeterminados - + WSJT-X Decoded Text Font Chooser Tipo de texto de pantalla de descodificación WSJT-X Seleccionar un tipo de letra - + Load Working Frequencies Carga las frecuencias de trabajo Cargar las frecuencias de trabajo - - - + + + Frequency files (*.qrg);;All files (*.*) Archivos de frecuencia (*.qrg);;Todos los archivos (*.*) - + Replace Working Frequencies Sustituye las frecuencias de trabajo Sustituir las frecuencias de trabajo - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? ¿Seguro que quieres descartar tus frecuencias actuales de trabajo y reemplazarlas por las cargadas? ¿Seguro que quiere descartar las frecuencias de trabajo actuales y reemplazarlas por las cargadas? - + Merge Working Frequencies Combinar las frecuencias de trabajo Combina las frecuencias de trabajo - - - + + + Not a valid frequencies file El archivo de frecuencias no es válido Archivo de frecuencias no válido - + Incorrect file magic Archivo mágico incorrecto - + Version is too new La versión es demasiado nueva - + Contents corrupt contenidos corruptos Contenido corrupto - + Save Working Frequencies Guardar las frecuencias de trabajo - + Only Save Selected Working Frequencies Guarda sólo las frecuencias de trabajo seleccionadas Sólo guarda las frecuencias de trabajo seleccionadas - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. ¿Seguro que quieres guardar sólo las frecuencias de trabajo seleccionadas actualmente? Haz clic en No para guardar todo. ¿Seguro que quiere guardar sólo las frecuencias de trabajo seleccionadas actualmente? Clic en No para guardar todo. - + Reset Working Frequencies Reiniciar las frecuencias de trabajo - + Are you sure you want to discard your current working frequencies and replace them with default ones? ¿Seguro que quieres descartar tus frecuencias actuales de trabajo y reemplazarlas por otras? ¿Seguro que quiere descartar las frecuencias de trabajo actuales y reemplazarlas por las de defecto? - + Save Directory Guardar directorio Directorio "Save" - + AzEl Directory Directorio AzEl - + Rig control error Error de control del equipo - + Failed to open connection to rig No se pudo abrir la conexión al equipo Fallo al abrir la conexión al equipo - + Rig failure Fallo en el equipo @@ -1581,23 +1586,23 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency Agregar frecuencia Añadir frecuencia - + IARU &Region: &Región IARU: - + &Mode: &Modo: - + &Frequency (MHz): &Frecuencia en MHz: &Frecuencia (MHz): @@ -1606,26 +1611,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region Región IARU - - + + Mode Modo - - + + Frequency Frecuencia - - + + Frequency (MHz) Frecuencia en MHz Frecuencia (MHz) @@ -2273,12 +2278,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity Actividad en la banda @@ -2290,11 +2296,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency Frecuencia de RX @@ -2332,135 +2339,150 @@ Error(%2): %3 Activa/Desactiva la monitorización - + &Monitor &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>Borrar ventana derecha. Haz doble clic para borrar ambas ventanas.</p></body></html> <html><head/><body><p>Clic para borrar ventana derecha.</p><p> Doble clic para borrar ambas ventanas.</p></body></html> - + Erase right window. Double-click to erase both windows. Borrar ventana derecha. Haz doble clic para borrar ambas ventanas. Borra ventana derecha. Doble clic para borrar ambas ventanas. - + &Erase &Borrar - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>Borrar el promedio de mensajes acumulados.</p></body></html> <html><head/><body><p>Borrar el promedio de mensajes acumulados.</p></body></html> - + Clear the accumulating message average. Borrar el promedio de mensajes acumulados. - + Clear Avg Borrar media - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>Decodificar el período de RX más reciente en la frecuencia QSO</p></body></html> <html><head/><body><p>Decodifica el período de RX más reciente en la frecuencia del QSO</p></body></html> - + Decode most recent Rx period at QSO Frequency Decodificar el período de RX más reciente en la frecuencia QSO Decodifica el período más reciente de RX en la frecuencia del QSO - + &Decode &Decodificar &Decodifica - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>Activar/desactivar TX</p></body></html> <html><head/><body><p>Activar/Desactivar TX</p></body></html> - + Toggle Auto-Tx On/Off Activar/desactivar TX Activa/Desactiva Auto-TX - + E&nable Tx &Activar TX - + Stop transmitting immediately Detiene TX inmediatamente Detener TX inmediatamente - + &Halt Tx &Detener TX - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>Activar/desactivar un tono de transmisión puro</p></body></html> <html><head/><body><p>Activa/Desactiva la transmisión de un tono continuo</p></body></html> - + Toggle a pure Tx tone On/Off Activar/desactivar un tono de transmisión puro Activar/Desactivar TX con tono continuo - + &Tune &Tono TX - + Menus Menús - + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency Frecuencia de dial USB - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>30dB recomendado cuando solo hay ruido presente,<br/>Verde cuando el nivel es bueno,<br/>Rojo cuando puede ocurrir recortes y<br/>Amarillo cuando esta muy bajo.</p></body></html> <html><head/><body><p>30 dB recomendado cuando solo hay ruido presente.<br>Verde: Nivel de audio aceptable.<br>Rojo: Pueden ocurrir fallos de audio.<br>Amarillo: Nivel de audio muy bajo.</p></body></html> - + Rx Signal Señal de RX Señal RX - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2475,310 +2497,316 @@ Rojo pueden ocurrir fallos de audio Amarillo cuando esta muy bajo. - + DX Call Indicativo DX - + DX Grid Locator/Grid DX Locator DX - + Callsign of station to be worked Indicativo de la estación a trabajar - + Search for callsign in database Buscar el indicativo en la base de datos (CALL3.TXT) - + &Lookup &Buscar - + Locator of station to be worked Locator/Grid de la estación a trabajar Locator de la estación a trabajar - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database Agregar indicativo y locator/Grid a la base de datos Agregar indicativo y locator a la base de datos (CALL3.TXT) - + Add Agregar - + Pwr Potencia - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>Si ha habido un error en el control del equipo, haz clic para restablecer y leer la frecuencia del dial. S implica modo dividido o split.</p></body></html> <html><head/><body><p>Si está naranja o rojo, ha habido un error en el control del equipo</p><p>Clic para reiniciar y leer la frecuencia del dial. </p><p>S indica modo "Split".</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. Si ha habido un error en el control del equipo, haz clic para restablecer y leer la frecuencia del dial. S implica modo dividido o split. Si está naranja o rojo, ha habido un error en el control del equipo, clic para restablecer y leer la frecuencia del dial. S indica "Split". - + ? ? - + Adjust Tx audio level Ajuste del nivel de audio de TX Ajustar nivel de audio de TX - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>Selecciona la banda operativa, introduce la frecuencia en MHz o introduce el incremento de kHz seguido de k.</p></body></html> <html><head/><body><p>Selecciona la banda, o escriba la frecuencia en MHz o escriba el incremento en kHz seguido de k.</p></body></html> - + Frequency entry Frecuencia de entrada - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. Selecciona la banda operativa, introduce la frecuencia en MHz o introduce el incremento de kHz seguido de k. Selecciona la banda o introduce la frecuencia en MHz o ecribe el incremento en kHz seguido de la letra k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>Marca para mantener fija la frecuencia de transmisión al hacer doble clic en el texto decodificado.</p></body></html> <html><head/><body><p>Marcar para mantener fija la frecuencia de TX al hacer doble clic en el texto decodificado.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. Marca para mantener fija la frecuencia de transmisión al hacer doble clic en el texto decodificado. Marcar para mantener fija la frecuencia de TX al hacer doble clic en un texto decodificado. - + Hold Tx Freq Mantén TX Freq Mantener Frec. TX - + Audio Rx frequency Frecuencia de audio en RX Frecuencia de RX - - - + + + + + Hz Hz - + + Rx RX - + + Set Tx frequency to Rx Frequency Coloca la frecuencia de RX en la de TX Coloca la frecuencia de TX en la de RX - + - + Frequency tolerance (Hz) Frecuencia de tolerancia (Hz) - + + F Tol F Tol - + + Set Rx frequency to Tx Frequency Coloca la frecuencia de TX en la de RX Coloca la frecuencia de RX en la de TX - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>Umbral de sincronización. Los números más bajos aceptan señales de sincronización más débiles.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. Umbral de sincronización. Los números más bajos aceptan señales de sincronización más débiles. - + Sync Sinc - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>Marca para usar mensajes de formato corto.</p></body></html> <html><head/><body><p>Marcar para usar mensajes de formato corto.</p></body></html> - + Check to use short-format messages. Marcar para usar mensajes de formato corto. Marca para usar mensajes de formato corto. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>Marca para habilitar los modos rápidos JT9</p></body></html> <html><head/><body><p>Marcar para habilitar los modos rápidos JT9</p></body></html> - + Check to enable JT9 fast modes Marca para habilitar los modos rápidos JT9 Marcar para habilitar los modos rápidos JT9 - - + + Fast Rápido - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>Marca para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos.</p></body></html> <html><head/><body><p>Marcar para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. Marca para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos. Marcar para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos. - + Auto Seq Secuencia Automática Secuencia Auto. - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>Responde al 1er. CQ decodificado.</p></body></html> <html><head/><body><p>Marcar para responder a la 1ra estación decodificada.</p></body></html> - + Check to call the first decoded responder to my CQ. Responde al 1er. CQ decodificado. Marcar para responder al 1ra. estación decodificada. - + Call 1st Responde al 1er. CQ 1er decodificado - + Check to generate "@1250 (SEND MSGS)" in Tx6. Marcar para generar "@1250 (SEND MSGS)" en TX6. - + Tx6 TX6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>Marca a TX en minutos o secuencias de números pares, a partir de 0; desmarca las secuencias impares.</p></body></html> <html><head/><body><p>Marcar para transmitir en secuencias o minutos pares, comenzando por 0; desmarca para transmitir en las secuencias o minutos impares.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. Marca a TX en minutos o secuencias de números pares, a partir de 0; desmarca las secuencias impares. Marcar para transmitir en secuencias o minutos pares, comenzando por 0; desmarca para transmitir en las secuencias o minutos impares. - + Tx even/1st Alternar periodo TX Par/Impar TX segundo par - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>Frecuencia para llamar a CQ en kHz por encima del MHz actual</p></body></html> <html><head/><body><p>Frecuencia para llamar CQ en kHz por sobre el MHz actual</p></body></html> - + Frequency to call CQ on in kHz above the current MHz Frecuencia para llamar a CQ en kHz por encima del MHz actual Frecuencia para llamar CQ en kHz por encima del MHz actual - + Tx CQ TX CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>Marca esto para llamar a CQ en la frecuencia&quot;TX CQ&quot;. RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder.</p><p>No está disponible para los titulares de indicativo no estándar.</p></body></html> <html><head/><body><p>Marcar para llamar CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder.</p><p>No está disponible para los titulares de indicativo no estándar.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. Marca esto para llamar a CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder. @@ -2786,63 +2814,63 @@ No está disponible para los titulares de indicativo no estándar.Marcar para llamar CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder. No está disponible para los titulares de indicativo no estándar. - + Rx All Freqs RX en todas las frecuencias - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>El submodo determina el espaciado de tono; "A" es más estrecho.</p></body></html> - + Submode determines tone spacing; A is narrowest. El submodo determina el espaciado de tono; "A" es más estrecho. - + Submode Submodo - - + + Fox Fox "Fox" - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Marca para monitorear los mensajes Sh.</p></body></html> <html><head/><body><p>Marcar para escuchar los mensajes Sh.</p></body></html> - + Check to monitor Sh messages. Marca para monitorear los mensajes Sh. Marcar para escuchar los mensajes Sh. - + SWL SWL - + Best S+P El mejor S+P S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>Marca para comenzar a registrar los datos de calibración.<br/>Mientras se mide la corrección de calibración, se desactiva.<br/>Cuando no está marcado, puedes ver los resultados de la calibración.</p></body></html> <html><head/><body><p>Marcar para comenzar a grabar los datos de calibración.<br/>Mientras se mide, la corrección de calibración está desactivada.<br/>Cuando no está marcado, puede verse los resultados de la calibración.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2854,121 +2882,123 @@ Mientras se mide, la corrección de calibración está desactivada. Cuando no está marcado, puede verse los resultados de la calibración. - + Measure Medida - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>Informe de señal: relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB).</p></body></html> <html><head/><body><p>Reporte de señal: Relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). Informe de señal: relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB). Reporte de señal: Relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB). - + Report No -> Señal de Recepción Reporte - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>Tx/Rx o longitud de secuencia de calibración de frecuencia</p></body></html> <html><head/><body><p>TX/RX o longitud de secuencia de calibración de frecuencia</p></body></html> - + Tx/Rx or Frequency calibration sequence length Tx/Rx o longitud de secuencia de calibración de frecuencia TX/RX o longitud de secuencia de calibración de frecuencia - + + s s - + + T/R T/R - + Toggle Tx mode Conmuta el modo TX Conmuta modo TX - + Tx JT9 @ TX JT9 @ - + Audio Tx frequency Frecuencia de audio de TX Frecuencia de TX - - + + Tx TX - + Tx# TX# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>Haz doble clic en otro indicativo que llama para poner en la cola esa llamada para tú siguiente QSO.</p></body></html> <html><head/><body><p>Doble clic en otra estación llamando para poner en la cola ese indicativo para tu siguiente QSO.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. Haz doble clic en otro indicativo que llama para poner en la cola esa llamada para tú siguiente QSO. Doble clic en otra estación llamando para poner en la cola ese indicativo para tu siguiente QSO. - + Next Call Siguiente Indicativo - + 1 1 - - - + + + Send this message in next Tx interval Enviar este mensaje en el siguiente intervalo de transmisión Enviar este mensaje en el siguiente intervalo de TX - + Ctrl+2 Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de transmisión.</p><p>Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de TX.</p><p>Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Enviar este mensaje en el siguiente intervalo de transmisión. @@ -2976,37 +3006,37 @@ Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una Enviar este mensaje en el siguiente intervalo de TX. Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1). - + Ctrl+1 Ctrl+1 - - - - + + + + Switch to this Tx message NOW Cambia a este mensaje de TX AHORA Cambiar a este mensaje de TX AHORA - + Tx &2 TX &2 - + Alt+2 Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Cambia a este mensaje de TX AHORA. @@ -3014,78 +3044,78 @@ Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una Cambiar a este mensaje de TX AHORA.Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1) - + Tx &1 Tx &1 - + Alt+1 Alt+1 - + Ctrl+6 Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de transmisión</p><p>Haz doble clic para restablecer el mensaje estándar 73.</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de TX</p><p>Doble clic para restablecer el mensaje 73 estándar.</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message Enviar este mensaje en el siguiente intervalo de TX. Doble clic para restablecer el mensaje 73 estándar. - + Ctrl+5 Ctrl+5 - + Ctrl+3 Ctrl+3 - + Tx &3 TX &3 - + Alt+3 Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Envia este mensaje en el siguiente intervalo de transmisión.</p><p>Haz doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> <html><head/><body><p>Envia este mensaje en el siguiente intervalo de TX.</p><p>Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required Envia este mensaje en el siguiente intervalo de TX. Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2). Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes - + Ctrl+4 Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -3095,23 +3125,23 @@ Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no Cambiar a este mensaje de TX AHORA. Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2). Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes. - + Tx &4 TX &4 - + Alt+4 Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para restablecer el mensaje estándar 73.</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para restablecer el mensaje estándar 73.</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message Cambia a este mensaje de TX AHORA. @@ -3120,45 +3150,44 @@ Haz doble clic para restablecer el mensaje estándar 73. Doble clic para cambiar al mensaje estándar 73. - + Tx &5 TX &5 - + Alt+5 Alt+5 - + Now Ahora - + Generate standard messages for minimal QSO Genera mensajes estándar para un QSO mínimo Genera mensajes estándares para realizar un QSO - + Generate Std Msgs Genera Mensaje Standar Genera Mensajes Estándar - + Tx &6 TX &6 - + Alt+6 Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -3173,1105 +3202,1130 @@ Presiona INTRO para agregar el texto actual a la lista predefinida. La lista se puede modificar en "Ajustes" (F2). - + Queue up the next Tx message Poner en cola el siguiente mensaje de TX - + Next Siguiente - + 2 2 - + + FST4W + + + Calling CQ - Llamando CQ + Llamando CQ - Generate a CQ message - Genera mensaje CQ + Genera mensaje CQ - - - + + CQ CQ - Generate message with RRR - Genera mensaje con RRR + Genera mensaje con RRR - RRR - RRR + RRR - Generate message with report Generar mensaje con informe de señal - Genera mensaje con informe de señal + Genera mensaje con informe de señal - dB - dB + dB - Answering CQ - Respondiendo CQ + Respondiendo CQ - Generate message for replying to a CQ Generar mensaje para responder a un CQ - Genera mensaje para responder a un CQ + Genera mensaje para responder a un CQ - - + Grid Locator/grid Locator - Generate message with R+report Generar mensaje con R+informe de señal - Genera mensaje con R más informe de señal + Genera mensaje con R más informe de señal - R+dB - R+dB + R+dB - Generate message with 73 Generar mensaje con 73 - Genera mensaje con 73 + Genera mensaje con 73 - 73 - 73 + 73 - Send this standard (generated) message Enviar este mensaje estándar (generado) - Envia este mensaje estándar (generado) + Envia este mensaje estándar (generado) - Gen msg Gen msg - Msg Gen + Msg Gen - Send this free-text message (max 13 characters) Enviar este mensaje de texto libre (máximo 13 caracteres) - Envia este mensaje de texto libre (máximo 13 caracteres) + Envia este mensaje de texto libre (máximo 13 caracteres) - Free msg - Msg Libre + Msg Libre - 3 - 3 + 3 - + Max dB Max dB - + CQ AF CQ AF - + CQ AN CQ AN - + CQ AS CQ AS - + CQ EU CQ EU - + CQ NA CQ NA - + CQ OC CQ OC - + CQ SA CQ SA - + CQ 0 CQ 0 - + CQ 1 CQ 1 - + CQ 2 CQ 2 - + CQ 3 CQ 3 - + CQ 4 CQ 4 - + CQ 5 CQ 5 - + CQ 6 CQ 6 - + CQ 7 CQ 7 - + CQ 8 CQ 8 - + CQ 9 CQ 9 - + Reset Reiniciar - + N List N List - + N Slots N Slots - - + + + + + + + Random Aleatorio - + Call Indicativo - + S/N (dB) S/N (dB) - + Distance Distancia - + More CQs Más CQ's - Percentage of 2-minute sequences devoted to transmitting. - Porcentaje de secuencias de 2 minutos dedicadas a la transmisión. + Porcentaje de secuencias de 2 minutos dedicadas a la transmisión. - + + % % - + Tx Pct TX Pct Pct TX - + Band Hopping Salto de banda - + Choose bands and times of day for band-hopping. Elija bandas y momentos del día para saltar de banda. Escoja bandas y momentos del día para saltos de banda. - + Schedule ... Calendario ... Programar ... + 1/2 - 1/2 + 1/2 + 2/2 - 2/2 + 2/2 + 1/3 - 1/3 + 1/3 + 2/3 - 2/3 + 2/3 + 3/3 - 3/3 + 3/3 + 1/4 - 1/4 + 1/4 + 2/4 - 2/4 + 2/4 + 3/4 - 3/4 + 3/4 + 4/4 - 4/4 + 4/4 + 1/5 - 1/5 + 1/5 + 2/5 - 2/5 + 2/5 + 3/5 - 3/5 + 3/5 + 4/5 - 4/5 + 4/5 + 5/5 - 5/5 + 5/5 + 1/6 - 1/6 + 1/6 + 2/6 - 2/6 + 2/6 + 3/6 - 3/6 + 3/6 + 4/6 - 4/6 + 4/6 + 5/6 - 5/6 + 5/6 + 6/6 - 6/6 + 6/6 - + Upload decoded messages to WSPRnet.org. Cargue mensajes decodificados a WSPRnet.org. Subir mensajes decodificados a WSPRnet.org. - + Upload spots Subir "Spots" - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>Los Locator/Grid de 6 dígitos hacen que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo troceado, las otras estaciones deben haber decodificado el primero una vez antes de poder descodificar el segundo. Marca esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes.</p></body></html> <html><head/><body><p>Los locator de 6 dígitos hace que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo, otras estaciones deben haber decodificado el primero antes de poder descodificar el segundo. Marcar esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. Los Locator/Grid de 6 dígitos hacen que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo troceado, las otras estaciones deben haber decodificado el primero una vez antes de poder descodificar el segundo. Marca esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes. Los locator de 6 dígitos hace que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo, otras estaciones deben haber decodificado el primero antes de poder descodificar el segundo. Marcar esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes. + + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + FT240W FT240W - Prefer type 1 messages Prefieres mensajes de tipo 1 - Preferir mensajes de tipo 1 + Preferir mensajes de tipo 1 - + No own call decodes No se descodifica ningún indicativo propio No se descodifica mi indicativo - Transmit during the next 2-minute sequence. - Transmite durante la siguiente secuencia de 2 minutos. + Transmite durante la siguiente secuencia de 2 minutos. - + Tx Next Siguiente TX - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. Configura la potencia de transmisión en dBm (dB por encima de 1 mW) como parte de tú mensaje WSPR. Configurar la potencia de TX en dBm (dB por encima de 1 mW) como parte de su mensaje WSPR. - + + NB + + + + File Archivo - + View Ver - + Decode Decodifica Decodificar - + Save Guardar - + Help Ayuda - + Mode Modo - + Configurations No es valido utilizar Ajustes Configuraciones - + Tools Herramientas - + Exit Salir - Configuration - Ajustes + Ajustes - F2 - F2 + F2 - + About WSJT-X Acerca de WSJT-X - + Waterfall Cascada Cascada (Waterfall) - + Open Abrir - + Ctrl+O Ctrl+O - + Open next in directory Abrir siguiente en el directorio - + Decode remaining files in directory Decodifica los archivos restantes en el directorio - + Shift+F6 Mayúsculas+F6 Mayúsculas+F6 - + Delete all *.wav && *.c2 files in SaveDir Borrar todos los archivos *.wav y *.c2 - + None Ninguno Nada - + Save all Guardar todo - + Online User Guide Guía de usuario en línea - + Keyboard shortcuts Atajos de teclado - + Special mouse commands Comandos especiales del ratón - + JT9 JT9 - + Save decoded Guarda el decodificado Guardar lo decodificado - + Normal Normal - + Deep Profundo - Monitor OFF at startup Monitor apagado al inicio - "Monitor" apagado al inicio + "Monitor" apagado al inicio - + Erase ALL.TXT Borrar ALL.TXT - + Erase wsjtx_log.adi Borrar el archivo wsjtx_log.adi Borrar archivo wsjtx_log.adi - Convert mode to RTTY for logging Convierte el modo a RTTY después de registrar el QSO - Convierte el modo a RTTY para guardar el QSO + Convierte el modo a RTTY para guardar el QSO - Log dB reports to Comments Pon los informes de recepción en dB en Comentarios - Guardar reportes dB en los Comentarios + Guardar reportes dB en los Comentarios - Prompt me to log QSO Pedirme que registre QSO - Preguntarme antes de guardar el QSO + Preguntarme antes de guardar el QSO - Blank line between decoding periods - Línea en blanco entre períodos de decodificación + Línea en blanco entre períodos de decodificación - Clear DX Call and Grid after logging Borrar Indicativo DX y Locator/Grid DX después de registrar un QSO - Borrar Indicativo y Locator del DX después de guardar QSO + Borrar Indicativo y Locator del DX después de guardar QSO - Display distance in miles - Mostrar distancia en millas + Mostrar distancia en millas - Double-click on call sets Tx Enable Haz doble clic en los conjuntos de indicativos de activar TX - Doble clic en el indicativo activa la TX + Doble clic en el indicativo activa la TX - - + F7 F7 - Tx disabled after sending 73 Tx deshabilitado después de enviar 73 - Dehabilita TX después de enviar 73 + Dehabilita TX después de enviar 73 - - + Runaway Tx watchdog Control de TX - Allow multiple instances - Permitir múltiples instancias + Permitir múltiples instancias - Tx freq locked to Rx freq TX frec bloqueado a RX frec - Freq. de TX bloqueda a freq. de RX + Freq. de TX bloqueda a freq. de RX - + JT65 JT65 - + JT9+JT65 JT9+JT65 - Tx messages to Rx Frequency window Mensajes de texto a la ventana de frecuencia de RX - Mensajes de TX a la ventana de "Frecuencia de RX" + Mensajes de TX a la ventana de "Frecuencia de RX" - Gray1 - Gris1 + Gris1 - Show DXCC entity and worked B4 status Mostrar entidad DXCC y estado B4 trabajado - Mostrar DXCC y estado B4 trabajado + Mostrar DXCC y estado B4 trabajado - + Astronomical data Datos astronómicos - + List of Type 1 prefixes and suffixes Lista de prefijos y sufijos de tipo 1 Lista de prefijos y sufijos tipo 1 - + Settings... Configuración Ajustes... - + Local User Guide Guía de usuario local - + Open log directory Abrir directorio de log - + JT4 JT4 - + Message averaging Promedio de mensajes - + Enable averaging Habilitar el promedio - + Enable deep search Habilitar búsqueda profunda - + WSPR WSPR - + Echo Graph Gráfico de eco - + F8 F8 - + Echo Echo Eco - + EME Echo mode Modo EME Eco - + ISCAT ISCAT - + Fast Graph Gráfico rápido "Fast Graph" - + F9 F9 - + &Download Samples ... &Descargar muestras ... &Descargar muestras de audio ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>Descarga archivos de audio de muestra que demuestren los distintos modos.</p></body></html> <html><head/><body><p>Descargar archivos de audio de los distintos modos.</p></body></html> - + MSK144 MSK144 - + QRA64 QRA64 - + Release Notes Cambios en la nueva versión - + Enable AP for DX Call Habilitar AP para llamada DX Habilitar AP para indicativo DX - + FreqCal FreqCal - + Measure reference spectrum Medir espectro de referencia - + Measure phase response Medir la respuesta de fase - + Erase reference spectrum Borrar espectro de referencia - + Execute frequency calibration cycle Ejecutar ciclo de calibración de frecuencia - + Equalization tools ... Herramientas de ecualización ... - WSPR-LF - WSPR-LF + WSPR-LF - Experimental LF/MF mode - Modo experimental LF/MF + Modo experimental LF/MF - + FT8 FT8 - - + + Enable AP Habilitar AP - + Solve for calibration parameters Resolver para parámetros de calibración Resolver parámetros de calibración - + Copyright notice Derechos de Autor - + Shift+F1 Mayúsculas+F1 - + Fox log Log Fox Log "Fox" - + FT8 DXpedition Mode User Guide Guía de usuario del modo FT8 DXpedition (inglés) - + Reset Cabrillo log ... Restablecer log de Cabrillo ... Borrar log Cabrillo ... - + Color highlighting scheme Esquema de resaltado de color Esquema de resaltado de colores - Contest Log - Log de Concurso + Log de Concurso - + Export Cabrillo log ... Exportar log de Cabrillo ... Exportar log Cabrillo ... - Quick-Start Guide to WSJT-X 2.0 - Guía de inicio rápido para WSJT-X 2.0 (inglés) + Guía de inicio rápido para WSJT-X 2.0 (inglés) - + Contest log Log de Concurso - + Erase WSPR hashtable Borrar la tabla de WSPR - + FT4 FT4 - + Rig Control Error Error de control del equipo - - - + + + Receiving Recibiendo - + Do you want to reconfigure the radio interface? ¿Desea reconfigurar la interfaz de radio? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log Error al escanear el log ADIF - + Scanned ADIF log, %1 worked before records created Log ADIF escaneado, %1 funcionaba antes de la creación de registros Log ADIF escaneado, %1 registros trabajados B4 creados - + Error Loading LotW Users Data Error al cargar datos de usuarios de LotW Error al cargar datos de usuarios de LoTW - + Error Writing WAV File Error al escribir el archivo WAV - + Configurations... Conmfiguraciones... Configuraciones... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message Mensaje - + Error Killing jt9.exe Process Error al matar el proceso jt9.exe - + KillByName return code: %1 Código de retorno de KillByName: %1 KillByName regresa código: %1 - + Error removing "%1" Error al eliminar "%1" - + Click OK to retry Haga clic en Aceptar para volver a intentar Clic en "Aceptar" para reintentar - - + + Improper mode Modo incorrecto - - + + File Open Error Error de apertura del archivo Error al abrir archivo - - - - - + + + + + Cannot open "%1" for append: %2 No puedo abrir "%1" para anexar: %2 No se puedo abrir "%1" para anexar: %2 - + Error saving c2 file Error al guardar el archivo c2 Error al guardar archivo c2 - + Error in Sound Input Error en entrada de sonido - + Error in Sound Output Error en la salida de sonido Error en salida de audio - - - + + + Single-Period Decodes Decodificaciones de un solo período - - - + + + Average Decodes Promedio de decodificaciones - + Change Operator Cambiar operador - + New operator: Operador nuevo: - + Status File Error Error de estado del archivo Error en el archivo de estado - - + + Cannot open "%1" for writing: %2 No se puede abrir "%1" para la escritura: %2 No se puede abrir "%1" para escritura: %2 - + Subprocess Error Error de subproceso - + Subprocess failed with exit code %1 El subproceso falló con el código de salida %1 - - + + Running: %1 %2 Corriendo: %1 @@ -4280,27 +4334,27 @@ Error al cargar datos de usuarios de LotW %2 - + Subprocess error Error de subproceso - + Reference spectrum saved Espectro de referencia guardado - + Invalid data in fmt.all at line %1 Datos no válidos en fmt.all en la línea %1 - + Good Calibration Solution Buena solución de calibración - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -4313,18 +4367,18 @@ Error al cargar datos de usuarios de LotW %9%L10 Hz</pre> - + Delete Calibration Measurements Eliminar mediciones de calibración Borrar mediciones de calibración - + The "fmt.all" file will be renamed as "fmt.bak" El archivo "fmt.all" será renombrado como "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." @@ -4336,31 +4390,31 @@ Error al cargar datos de usuarios de LotW "Los algoritmos, el código fuente, la apariencia y comportamiento del WSJT-X y los programas relacionados, y las especificaciones del protocolo para los modos FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 son Copyright (C) 2001-2020 por uno o más de los siguientes autores: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q y otros miembros del Grupo de Desarrollo WSJT ". - + No data read from disk. Wrong file format? No se leen datos del disco. Formato de archivo incorrecto? No se han leido datos del disco. Formato de archivo incorrecto? - + Confirm Delete Confirmar eliminación Confirmar borrado - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? ¿Estas seguro de que deseas eliminar todos los archivos *.wav y *.c2 en "%1"? ¿Esta seguro de que desea borrar todos los archivos *.wav y *.c2 en "%1"? - + Keyboard Shortcuts Atajo de teclado Atajos de teclado - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -4410,13 +4464,13 @@ Error al cargar datos de usuarios de LotW - + Special Mouse Commands Comandos especiales del ratón Comandos especiales de ratón - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -4427,7 +4481,7 @@ Error al cargar datos de usuarios de LotW <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -4435,10 +4489,10 @@ Error al cargar datos de usuarios de LotW <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4452,46 +4506,46 @@ Error al cargar datos de usuarios de LotW - + No more files to open. No hay más archivos para abrir. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. Por favor, elije otra frecuencia de transmisión. WSJT-X no transmitirá a sabiendas otro modo en la sub-banda WSPR en 30m. Elije otra frecuencia de transmisión. WSJT-X no transmitirá a sabiendas otro modo en la sub-banda WSPR en 30M. - + WSPR Guard Band Banda de Guardia WSPR - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. Elige otra frecuencia de dial. WSJT-X no funcionará en modo Fox en las sub-bandas FT8 estándar. Por favor elija otra frecuencia. WSJT-X no operá en modo "Fox" en las sub-bandas de FT8 estándar. - + Fox Mode warning Advertencia del modo Fox Advertencia de modo "Fox" - + Last Tx: %1 Última TX: %1 Últ TX: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4506,37 +4560,37 @@ Para hacerlo, marca "Actividad operativa especial" y luego "Concurso VHF EU" en "Archivo" - "Ajustes" - "Avanzado". - + Should you switch to ARRL Field Day mode? ¿Cambiar al modo ARRL Field Day? - + Should you switch to RTTY contest mode? ¿Cambiar al modo de concurso RTTY? - - - - + + + + Add to CALL3.TXT Añadir a CALL3.TXT - + Please enter a valid grid locator Por favor, introduce un locator/Grid válido Por favor escriba un locator válido - + Cannot open "%1" for read/write: %2 No se puede abrir "%1" para leer/escribir: %2 No se puede abrir "%1" para lectura/escritura: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 @@ -4545,167 +4599,166 @@ ya está en CALL3.TXT, ¿deseas reemplazarlo? ya está en CALL3.TXT, ¿desea reemplazarlo? - + Warning: DX Call field is empty. Advertencia: el campo de Indicativo DX está vacío. Advertencia: el campo Indicativo DX está vacío. - + Log file error Error de archivo de log Error en el archivo de log - + Cannot open "%1" No puedo abrir "%1" No se puede abrir "%1" - + Error sending log to N1MM Error al enviar el log a N1MM - + Write returned "%1" Escritura devuelta "%1" Escritura devuelve "%1" - + Stations calling DXpedition %1 Estaciones que llaman a DXpedition %1 Estaciones llamando a DXpedition %1 - + Hound Hound "Hound" - + Tx Messages Mensajes de TX Mensajes TX - - - + + + Confirm Erase Confirmar borrado - + Are you sure you want to erase file ALL.TXT? ¿Estás seguro de que quiere borrar el archivo ALL.TXT? - - + + Confirm Reset Confirmar reinicio Confirmar restablecer - + Are you sure you want to erase your contest log? ¿Estás seguro de que quieres borrar el log de tú concurso? ¿Está seguro que quiere borrar el log de concurso? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. Hacer esto eliminará todos los registros de QSO para el concurso actual. Se guardarán en el archivo log de ADIF, pero no estarán disponibles para la exportación en tú log de Cabrillo. Hacer esto eliminará todos los QSOs del concurso actual. Se mantendrán en el log ADIF, pero no estarán disponibles para la exportación como log de Cabrillo. - + Cabrillo Log saved Cabrillo Log guardado Log Cabrillo guardado - + Are you sure you want to erase file wsjtx_log.adi? ¿Estás seguro de que quieres borrar el archivo wsjtx_log.adi? ¿Está seguro que quiere borrar el archivo wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? ¿Estás seguro de que quieres borrar la tabla WSPR? ¿Está seguro de que quiere borrar la tabla hash WSPR? - VHF features warning - Advertencia de características VHF + Advertencia de características VHF - + Tune digital gain Ganancia de sintonización digital Ajustar ganancia digital - + Transmit digital gain Ganancia de transmisión digital Transmitir ganancia digital - + Prefixes Prefijos Prefijos y sufijos tipo 1 - + Network Error Error de red - + Error: %1 UDP server %2:%3 Error: %1 Servidor UDP %2:%3 - + File Error Error en el archivo - + Phase Training Disabled Fase de entrenamiento deshabilitado Entrenamieno de Fase deshabilitado - + Phase Training Enabled Fase de entrenamiento habilitado Entrenamiento de Fase habilitado - + WD:%1m WD:%1m - - + + Log File Error Error de archivo log Error en archivo log - + Are you sure you want to clear the QSO queues? ¿Estás seguro de que quieres borrar las colas QSO? ¿Está seguro que quiere borrar las colas de QSOs? @@ -4729,8 +4782,8 @@ Servidor UDP %2:%3 Modes - - + + Mode Modo @@ -4903,7 +4956,7 @@ Servidor UDP %2:%3 Error al abrir archivo CSV de usuarios del LoTW: '%1' - + OOB OOB @@ -5103,7 +5156,7 @@ Error(%2): %3 Error no recuperable, dispositivo de entrada de audio no disponible en este momento. - + Requested input audio format is not valid. El formato de audio de entrada solicitado no es válido. @@ -5114,37 +5167,37 @@ Error(%2): %3 El formato de audio de entrada solicitado no está soportado en el dispositivo. - + Failed to initialize audio sink device Error al inicializar el dispositivo receptor de audio - + Idle Inactivo - + Receiving Recibiendo - + Suspended Suspendido - + Interrupted Interrumpido - + Error Error - + Stopped Detenido @@ -5152,62 +5205,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. Se produjo un error al abrir el dispositivo de salida de audio. - + An error occurred during write to the audio output device. Se produjo un error durante la escritura en el dispositivo de salida de audio. - + Audio data not being fed to the audio output device fast enough. Los datos de audio no se envían al dispositivo de salida de audio lo suficientemente rápido. - + Non-recoverable error, audio output device not usable at this time. Error no recuperable, dispositivo de salida de audio no utilizable en este momento. - + Requested output audio format is not valid. El formato de audio de salida solicitado no es válido. - + Requested output audio format is not supported on device. El formato de audio de salida solicitado no es compatible con el dispositivo. - + + No audio output device configured. + + + + Idle Inactivo - + Sending Recibiendo - + Suspended Suspendido - + Interrupted Interrumpido - + Error Error - + Stopped Detenido @@ -5215,23 +5273,23 @@ Error(%2): %3 StationDialog - + Add Station Agregar estación - + &Band: &Banda: - + &Offset (MHz): &Desplazamiento en MHz: Desplazamient&o (MHz): - + &Antenna: &Antena: @@ -5428,19 +5486,23 @@ Error(%2): %3 <html><head/><body><p>Decode JT9 only above this frequency</p></body></html> <html><head/><body><p>Decodifica JT9 solo por encima de esta frecuencia</p></body></html> - - Hz - Hz - - JT9 - JT9 + Hz + Hz + Split + + + + JT9 + JT9 + + JT65 - JT65 + JT65 @@ -5478,6 +5540,29 @@ Error(%2): %3 Leer Paleta + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5704,10 +5789,9 @@ Error(%2): %3 minutos - Enable VHF/UHF/Microwave features Habilita las funciones VHF/UHF/Microondas - Habilita características en VHF/UHF/Microondas + Habilita características en VHF/UHF/Microondas @@ -5842,7 +5926,7 @@ período de silencio cuando se ha realizado la decodificación. - + Port: Puerto: @@ -5853,140 +5937,152 @@ período de silencio cuando se ha realizado la decodificación. + Serial Port Parameters Parámetros del puerto serie - + Baud Rate: Velocidad de transmisión: - + Serial port data rate which must match the setting of your radio. Velocidad de datos del puerto serie que debe coincidir con los ajustes de tu radio. - + 1200 1200 - + 2400 2400 - + 4800 - + 9600 9600 - + 19200 19200 - + 38400 38400 - + 57600 57600 - + 115200 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>Número de bits de datos utilizados para comunicarse con la interfaz CAT de tú equipo (generalmente ocho).</p></body></html> <html><head/><body><p>Número de bits de datos utilizados para comunicarse con la interface CAT del equipo (generalmente ocho).</p></body></html> - + + Data bits + + + + Data Bits Bits de datos - + D&efault Por d&efecto - + Se&ven &Siete - + E&ight O&cho - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>Número de bits de parada utilizados al comunicarse con la interfaz CAT de tú equipo</p><p>(consulta el manual de tú equipo para más detalles).</p></body></html> <html><head/><body><p>Número de bits de parada utilizados al comunicarse con la interface CAT del equipo</p><p>(consulta el manual del equipo para más detalles).</p></body></html> - + + Stop bits + + + + Stop Bits Bits de parada - - + + Default Por defecto - + On&e Un&o - + T&wo &Dos - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocolo de control de flujo utilizado entre este PC y la interfaz CAT de tú equipo (generalmente &quot;Ninguno&quot;pero algunos requieren&quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocolo de control de flujo utilizado entre este PC y la interfaz CAT del equipo (generalmente "Ninguno", pero algunos requieren "Hardware").</p></body></html> - + + Handshake Handshake - + &None &Ninguno - + Software flow control (very rare on CAT interfaces). Control de flujo de software (muy raro en interfaces CAT). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5995,82 +6091,88 @@ no se usa con frecuencia, pero algunos equipos lo tienen como una opción y unos pocos, particularmente algunos equipos de Kenwood, lo requieren. - + &Hardware &Hardware - + Special control of CAT port control lines. Control especial de líneas de control de puertos CAT. - + + Force Control Lines Líneas de control de fuerza Forzar - - + + High Alto - - + + Low Bajo - + DTR: DTR: - + RTS: RTS: + + + Days since last upload + + How this program activates the PTT on your radio ¿ Cómo este programa activa el PTT en tú equipo ? - + How this program activates the PTT on your radio? ¿Cómo este programa activa el PTT en tú equipo? ¿Cómo activa este programa el PTT del equipo? - + PTT Method Método de PTT - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>Sin activación de PTT, en cambio, el VOX automático del equipo se usa para conectar el transmisor.</p><p>Usa esto si no tienes hardware de interfaz de radio.</p></body></html> <html><head/><body><p>Sin activación de PTT, se use el VOX del equipo para activar el transmisor.</p><p>Use esta opción si no se tiene una interface de radio.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>Usa la línea de control RS-232 DTR para alternar el PTT de tú equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control DTR del puerto serie CAT se puede usar para esto o se puede usar una línea de control DTR en un puerto serie diferente.</p></body></html> <html><head/><body><p>Use la línea de control RS-232 DTR para activar el PTT del equipo, se requiere de "hardware" para el envio de señales.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control DTR del puerto serie CAT se puede usar para esto o se puede usar una línea de control DTR en un puerto serie diferente.</p></body></html> - + &DTR &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -6082,50 +6184,50 @@ use esta opción si el equipo lo admite y no tiene una interface para PTT. - + C&AT C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>Usa la línea de control RS-232 RTS para alternar el PTT de tú equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control RTS del puerto serie CAT se puede usar para esto o se puede usar una línea de control RTS en un puerto serie diferente. Ten en cuenta que esta opción no está disponible en el puerto serie CAT cuando se usa el control de flujo de hardware.</p></body></html> <html><head/><body><p>Use la línea de control RS-232 RTS para activar el PTT del equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control RTS del puerto serie CAT se puede usar para esto o se puede usar una línea de control RTS en un puerto serie diferente. Esta opción no está disponible en el puerto serie CAT cuando se usa el control de flujo de hardware.</p></body></html> - + R&TS R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>Selecciona el puerto serie RS-232 utilizado para el control PTT, esta opción está disponible cuando se selecciona DTR o RTS arriba como método de transmisión.</p><p>Este puerto puede ser el mismo que el utilizado para el control CAT.</p><p>Para algunos tipos de interfaz, se puede elegir el valor especial CAT, esto se usa para interfaces CAT no seriales que pueden controlar líneas de control de puerto serie de forma remota (OmniRig, por ejemplo).</p></body></html> <html><head/><body><p>Seleccione el puerto serie RS-232 utilizado para el control PTT, esta opción está disponible cuando se selecciona DTR o RTS como método de transmisión.</p><p>Este puerto puede ser el mismo que el utilizado para el control CAT.</p><p>Para algunos tipos de interfaz, se puede elegir el valor especial CAT, esto se usa para interfaces CAT no seriales que pueden controlar líneas de control de puerto serie de forma remota (OmniRig, por ejemplo).</p></body></html> - + Modulation mode selected on radio. Modo de modulación seleccionado en el equipo. - + Mode Modo - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>USB suele ser el modo de modulación correcto,</p><p>a menos que la radio tenga una configuración/ajuste especial de datos o modo de paquete</p><p>para operación AFSK.</p></body></html> <html><head/><body><p>USB suele ser usualmente el modo correcto,</p><p>a menos que la radio tenga un ajuste de modo especifico para "data o packet"</p><p>para operación en AFSK.</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -6137,25 +6239,25 @@ o se selecciona el ancho de banda). o ancho de banda es seleccionado). - - + + None Ninguno - + If this is available then it is usually the correct mode for this program. Si está disponible, generalmente es el modo correcto para este programa. Si está disponible, entonces usualmente es el modo correcto para este programa. - + Data/P&kt Datos/P&kt Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -6167,56 +6269,56 @@ este ajuste permite seleccionar qué entrada de audio se usará (si está disponible, generalmente la opción "Parte posterior" es la mejor). - + Transmit Audio Source Fuente de audio de transmisión - + Rear&/Data Parte posterior/Datos Parte posterior - + &Front/Mic &Frontal/Micrófono - + Rig: Equipo: - + Poll Interval: Intervalo de sondeo: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>Intervalo de sondeo al equipo para el estado. Intervalos más largos significarán que los cambios en el equipo tardarán más en detectarse.</p></body></html> <html><head/><body><p>Intervalo para sondeo del estado del equipo. Intervalos más largos significará que los cambios en el equipo tardarán más en detectarse.</p></body></html> - + s s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>Intenta conectarte al equipo con esta configuración.</p><p>El botón se pondrá verde si la conexión es correcta o rojo si hay un problema.</p></body></html> <html><head/><body><p>Prueba de conexión al equipo por CAT utilizando esta configuración.</p><p>El botón cambiará a verde si la conexión es correcta o rojo si hay un problema.</p></body></html> - + Test CAT Test de CAT Probar CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -6237,50 +6339,50 @@ Verifica que cualquier indicación de TX en tu equipo y/o en el interfaz de radio se comporte como se esperaba. - + Test PTT Test de PTT Probar PTT - + Split Operation Operación dividida (Split) Operación en "Split" - + Fake It Fíngelo Fingir "Split" - + Rig Equipo - + A&udio A&udio - + Audio interface settings Ajustes del interfaz de audio - + Souncard Tarjeta de Sonido - + Soundcard Tarjeta de Sonido - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -6298,48 +6400,48 @@ de lo contrario transmitirá cualquier sonido del sistema generado durante los períodos de transmisión. - + Select the audio CODEC to use for receiving. Selecciona el CODEC de audio que se usará para recibir. Selecciona el CODEC a usar para recibir. - + &Input: &Entrada: - + Select the channel to use for receiving. Selecciona el canal a usar para recibir. Seleccione el canal a usar para recibir. - - + + Mono Mono - - + + Left Izquierdo - - + + Right Derecho - - + + Both Ambos - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -6354,118 +6456,123 @@ canales, entonces, generalmente debe seleccionar "Mono" o "Ambos". - + + Enable VHF and submode features + + + + Ou&tput: &Salida: - - + + Save Directory Guardar directorio Directorio "save" - + Loc&ation: Ubic&ación: - + Path to which .WAV files are saved. Ruta en la que se guardan los archivos .WAV. - - + + TextLabel Etiqueta de texto - + Click to select a different save directory for .WAV files. Haz clic para seleccionar un directorio de guardado diferente para los archivos .WAV. Clic para seleccionar un directorio "Save" diferente donde guardar los los archivos .WAV. - + S&elect S&elecciona S&eleccionar - - + + AzEl Directory Directorio AzEl - + Location: Ubicación: - + Select Seleccionar - + Power Memory By Band Memoriza la potencia por banda Recuerda la potencia por banda - + Remember power settings by band Recuerde los ajustes de potencia por banda Recuerda ajustes de potencia por banda - + Enable power memory during transmit Habilita memoria de potencia durante la transmisión - + Transmit Transmitir - + Enable power memory during tuning Habilita memoria de potencia durante la sintonización - + Tune Tono TX - + Tx &Macros Macros de T&X Macros T&X - + Canned free text messages setup Configuración de mensajes de texto libres Ajuste de mensajes de texto libre - + &Add &Añadir &Agregar - + &Delete &Borrar - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -6477,42 +6584,42 @@ Clic derecho para acciones específicas del elemento. Clic, Mayús+Clic y CTRL+Clic para seleccionar elementos. - + Reportin&g Informe&s &Reportes - + Reporting and logging settings Ajuste de informes y logs Ajustes de reportes y gaurdado de logs - + Logging Registros Guardado de log - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. El programa mostrará un cuadro de diálogo Log QSO parcialmente completado cuando envíe un mensaje de texto 73 o libre. El programa mostrará un cuadro de diálogo con datos del QSO parcialmente completados cuando envíe un 73 o mensaje de texto libre. - + Promp&t me to log QSO Regis&tra el QSO Pregun&tarme para guardar el QSO - + Op Call: Indicativo del Operador: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -6528,13 +6635,13 @@ Marca esta opción para guardar los reportes enviados y recibidos en el campo de comentarios. - + d&B reports to comments Informes de los d&B en los comentarios Guardar reportes d&B en los comentarios - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. Marca esta opción para forzar la eliminación de los campos @@ -6543,40 +6650,40 @@ Llamada DX y Locator/Grid DX cuando se envía un mensaje de texto 73 o libre. - + Clear &DX call and grid after logging Borrar la Llamada &DX y Locator/Grid después del registro Borrar Indicativo &DX y Locator DX después de guardado el QSO - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>Algunos programas de log no aceptarán nombres de modo WSJT-X.</p></body></html> - + Con&vert mode to RTTY Con&vertir modo a RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>El indicativo del operador, si es diferente del indicativo de la estación.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>Marca para que los QSO's se registren automáticamente, cuando se completen.</p></body></html> <html><head/><body><p>Marca para que los QSO's se guarden automáticamente, cuando se completen.</p></body></html> - + Log automatically (contesting only) Log automático (sólo concursos) Guardar QSO automáticamente (sólo concursos) - + Network Services Servicios de red @@ -6596,185 +6703,185 @@ Esto se utiliza para el análisis de "reverse beacon", lo cual es muy para evaluar la propagación y el rendimiento del sistema. - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + Enable &PSK Reporter Spotting Activa &PSK Reporter Activar "spotting" en &PSK Reporter - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server Servidor UDP - + UDP Server: Servidor UDP: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>"Hostname" del servicio de red para recibir decodificaciones.</p><p>Formatos:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4 multicast</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6 multicast</li></ul><p>Borrar este campo deshabilitará la transmisión de actualizaciones de estado UDP.</p></body></html> - + UDP Server port number: Número de puerto del servidor UDP: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>Introduce el número de puerto del servicio del servidor UDP al que WSJT-X debe enviar actualizaciones. Si esto es cero, no se transmitirán actualizaciones.</p></body></html> <html><head/><body><p>Escriba el número del puerto del servidor UDP al que WSJT-X debe enviar actualizaciones. Si este es cero, no se transmitirán actualizaciones.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>Con esto habilitado, WSJT-X aceptará ciertas solicitudes de un servidor UDP que recibe mensajes de decodificación.</p></body></html> <html><head/><body><p>Si se habilita, WSJT-X aceptará ciertas solicitudes de un servidor UDP que recibe mensajes decodificados.</p></body></html> - + Accept UDP requests Aceptar solicitudes UDP - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>Indica la aceptación de una solicitud UDP entrante. El efecto de esta opción varía según el sistema operativo y el administrador de ventanas, su intención es notificar la aceptación de una solicitud UDP entrante, incluso si esta aplicación está minimizada u oculta.</p></body></html> <html><head/><body><p>Indica la aceptación de una solicitud UDP entrante. El efecto de esta opción varía según el sistema operativo y el "Window Manager", su intención es notificar la aceptación de una solicitud UDP entrante, incluso si esta aplicación está minimizada u oculta.</p></body></html> - + Notify on accepted UDP request Notificar sobre una solicitud UDP aceptada - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>Restaura la ventana minimizada si se acepta una solicitud UDP.</p></body></html> - + Accepted UDP request restores window La solicitud UDP aceptada restaura la ventana Una solicitud UDP aceptada restaura la ventana - + Secondary UDP Server (deprecated) Servidor UDP secundario (en desuso) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>Cuando se marca, WSJT-X transmitirá un contacto registrado en formato ADIF al nombre de host y puerto configurados. </p></body></html> <html><head/><body><p>Si se marca , WSJT-X difundirá el contacto guardado, en formato ADIF, al servidor y puerto configurados. </p></body></html> - + Enable logged contact ADIF broadcast Habilita la transmisión ADIF de contacto registrado Habilita transmisión ADIF de contacto guardado - + Server name or IP address: Nombre del servidor o dirección IP: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>"Hostname" del programa N1MM Logger + donde se recibirán las transmisiones ADIF UDP. Este suele ser 'localhost' o dirección IP 127.0.0.1</p><p>Formatos:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4 multicast</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6 multicast</li></ul><p>Borrar este campo deshabilitará la transmisión de información ADIF a través de UDP.</p></body></html> - + Server port number: Número de puerto del servidor: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>Introduce el número de puerto que WSJT-X debe usar para las transmisiones UDP de información de registro ADIF. Para N1MM Logger +, este valor debe ser 2333. Si es cero, no se transmitirán actualizaciones.</p></body></html> <html><head/><body><p>Escriba el número de puerto que WSJT-X debe usar para las transmisiones UDP del log ADIF guardado. Para N1MM Logger + este valor debe ser 2333. Si es cero, no se transmitirán actualizaciones.</p></body></html> - + Frequencies Frecuencias - + Default frequencies and band specific station details setup Configuración predeterminada de las frecuencias y banda con detalles específicos de la estación Ajustes de frecuencias predeterminada y detalles de especificos de la banda - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>Ver&quot;Calibración de Frecuencia&quot;en la Guía de usuario de WSJT-X para obtener detalles sobre cómo determinar estos parámetros para tú equipo.</p></body></html> <html><head/><body><p>Ver "Calibración de Frecuencia" en la Guía de usuario de WSJT-X para obtener detalles sobre cómo determinar estos parámetros para el equipo.</p></body></html> - + Frequency Calibration Calibración de frecuencia - + Slope: Pendiente: Cadencia: - + ppm ppm - + Intercept: Interceptar: Intercepción: - + Hz Hz - + Working Frequencies Frecuencias de trabajo - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>Haz clic derecho para mantener la lista de frecuencias de trabajo.</p></body></html> <html><head/><body><p>Clic derecho para mantener la lista de frecuencias de trabajo.</p></body></html> - + Station Information Información de la estación - + Items may be edited. Right click for insert and delete options. Se pueden editar ítems. @@ -6783,373 +6890,409 @@ Haz clic derecho para insertar y eliminar opciones. Clic derecho para insertar y eliminar opciones. - + Colors Colores - + Decode Highlightling Resaltar Decodificado - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> <html><head/><body><p>Haz clic para escanear el archivo ADIF wsjtx_log.adi nuevamente para obtener información trabajada antes</p></body></html> <html><head/><body><p>Clic para procesar nuevamente el archivo ADIF wsjtx_log.adi para obtener información de estaciones trabajadas anteriormente</p></body></html> - + Rescan ADIF Log Escaneo de nuevo el log ADIF Procesar nuevamente log ADIF - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>Presiona para restablecer todos los elementos resaltados arriba a los valores y prioridades predeterminados.</p></body></html> - + Reset Highlighting Restablecer resaltado - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>Activa o desactiva las casillas de verificación y haz clic con el botón derecho en un elemento para cambiar o desactivar el color del primer plano, el color de fondo o restablecer el elemento a los valores predeterminados. Arrastra y suelta los elementos para cambiar su prioridad, mayor en la lista es mayor en prioridad.</p><p>Ten en cuenta que cada color de primer plano o de fondo puede estar configurado o no, lo que significa que no está asignado para ese tipo de elemento y pueden aplicarse elementos de menor prioridad.</p></body></html> <html><head/><body><p>Activar o desactivar usando las casillas de verificación. Clic con el botón derecho en un elemento para cambiar o volver al color predeterminado tanto de las letras como el color de fondo. Arrastrar y soltar los elementos para cambiar su prioridad; los primeros en la lista tienen mayor prioridad.</p><p>Cada color de letras o fondo puede estar configurado o no, no configurado significa que no está asignado para este elemento y pueden aplicarse elementos de menor prioridad.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>Marca para indicar nuevas entidades DXCC, Locator y indicativos por modo.</p></body></html> <html><head/><body><p>Marcar para indicar nueva entidad DXCC, locator e indicativos por modo.</p></body></html> - + Highlight by Mode Destacar por modo - + Include extra WAE entities Incluir entidades WAE adicionales - + Check to for grid highlighting to only apply to unworked grid fields Marca para que el resaltado de Locator sólo se aplique a los campos de Locator no trabajados Marcar para que el resaltado de locator sólo se aplique a los no trabajados - + Only grid Fields sought Solo campos de Locator/Grid buscados Solo campos de locator buscados - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>Controles para la búsqueda de usuarios de Logbook of the World (LoTW).</p></body></html> <html><head/><body><p>Búsqueda de usuarios de LoTW.</p></body></html> - + Logbook of the World User Validation Validación de Usuario de Logbook of the World (LoTW) Validación de usuario de LoTW - + Users CSV file URL: URL del archivo CSV de los usuarios: Enlace del archivo CSV de los usuarios: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>URL del último archivo de datos de fechas y horas de carga de ARRL LotW que se utiliza para resaltar decodificaciones de estaciones que se sabe que cargan su archivo de log a LotW.</p></body></html> <html><head/><body><p>Enlace del último archivo con fechas y horas de subidas de usuarios del LoTW, que se utiliza para resaltar decodificaciones de estaciones que suben su log al LoTW.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>Presiona este botón para obtener el último archivo de datos de fecha y hora de carga de los usuarios de LotW.</p></body></html> <html><head/><body><p>Presionar este botón para descargar archivo de LoTW con la última fecha/hora de subida de los usuarios.</p></body></html> - + Fetch Now Buscar ahora - + Age of last upload less than: Edad de la última carga inferior a: Fecha última subida a LoTW inferior a: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>Ajusta este cuadro de selección para establecer el umbral de edad de la última fecha de carga del usuario de LotW que se acepta como usuario actual de LotW.</p></body></html> <html><head/><body><p>Ajusta este cuadro de selección para establecer la última fecha de subida de logs del usuario de LoTW.</p></body></html> - + days dias - + Advanced Avanzado - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>Parámetros seleccionables por el usuario para decodificación JT65 VHF/UHF/Microondas.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters Parámetros de decodificación JT65 VHF/UHF/Microondas Parámetros decodificación JT65 VHF/UHF/Microondas - + Random erasure patterns: Patrones de borrado aleatorio: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>El número máximo de patrones de borrado para el decodificador estoico de decisión suave Reed Solomon es 10^(n/2).</p></body></html> <html><head/><body><p>El número máximo de patrones de borrado para el decodificador linear Reed Solomon es 10^(n/2).</p></body></html> - + Aggressive decoding level: Nivel de decodificación agresivo: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>Los niveles más altos aumentarán la probabilidad de decodificación, pero también aumentarán la probabilidad de una decodificación falsa.</p></body></html> <html><head/><body><p>Los niveles más altos aumentarán la probabilidad de decodificación, pero también aumentarán la probabilidad de una falsa decodificación.</p></body></html> - + Two-pass decoding Decodificación de dos pasos Decodificación en dos pasos - + Special operating activity: Generation of FT4, FT8, and MSK144 messages Actividad operativa especial: generación de mensajes FT4, FT8 y MSK144 Actividad operativa especial: Generación de mensajes FT4, FT8 y MSK144 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: operador Hound llamando al DX.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: Operador "Hound" llamando al DX.</p></body></html> - + + Hound "Hound" - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>Concursos norteamericanos de VHF/UHF/microondas y otros en los que se requiere un locator de 4 caracteres.</p></body></html> <html><head/><body><p>Concursos VHF/UHF/Microondas de norteamérica y otros en los cuales se requiere un intercambio de locator de 4 caracteres.</p></body></html> - + + NA VHF Contest Concurso NA VHF - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: operador FOX (DXpedition).</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: Operador "FOX" (DXpedition).</p></body></html> - + + Fox Fox "Fox" - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>Concursos europeos de VHF y superiores que requieren un informe de señal, número de serie y locator de 6 caracteres.</p></body></html> <html><head/><body><p>Concursos europeos de VHF y concursos que requieran reporte de señal, número de serie y locator de 6 caracteres.</p></body></html> - + + EU VHF Contest Concurso EU de VHF Concurso EU VHF - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>Resumen de ARRL RTTY y concursos similares. El intercambio es el estado de EE.UU., La provincia canadiense o &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup y concursos similares. Intercambio, estado de EE.UU., provincia de Canadá o "DX".</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages Mensajes de resumen de RTTY Mesnajes para e lRTTY Roundup - + + RTTY Roundup exchange + + + + RTTY RU Exch: Intercambio RTTY RU: - + NJ NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>Intercambio de ARRL Field Day: número de transmisores, clase y sección ARRL/RAC o &quot;DX&quot;.</p></body></html> <html><head/><body><p>Intercambiio para el ARRL Field Day: número de transmisores, "Class" y sección ARRL/RAC o "DX".</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day ARRL Field Day - + + Field Day exchange + + + + FD Exch: Intercambio FD: - + 6A SNJ 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>Concurso World-Wide Digi-mode</p><p><br/></p></body></html> <html><head/><body><p>Concurso World-Wide Digi DX</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest Concurso WW Digi Concurso WW Digi DX - + Miscellaneous Diverso Otros - + Degrade S/N of .wav file: Degradar S/N del archivo .wav: - - + + For offline sensitivity tests Para pruebas de sensibilidad fuera de línea - + dB dB - + Receiver bandwidth: Ancho de banda del receptor: - + Hz Hz - + Tx delay: Retardo de TX: - + Minimum delay between assertion of PTT and start of Tx audio. Retraso mínimo entre el PTT y el inicio del audio TX. - + s s - + + Tone spacing Espaciado de tono - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>Genera el audio de TX con el doble del espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 2 antes de generar RF.</p></body></html> <html><head/><body><p>Genera audio de TX con el doble del espaciado del tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 2 antes de generar RF.</p></body></html> - + x 2 x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>Genera el audio de TX con cuatro veces el espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 4 antes de generar RF.</p></body></html> <html><head/><body><p>Genera audio de TX con cuatro veces el espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 4 antes de generar RF.</p></body></html> - + x 4 x 4 - + + Waterfall spectra Espectros de la cascada Espectro de la cascada (waterfall) - + Low sidelobes Lóbulos laterales bajos - + Most sensitive Más sensible - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>Descartar (Cancelar) o aplicar (OK) cambios de configuración/ajuste que incluyen</p><p>restablecer la interfaz de radio y aplicar cualquier cambio en la tarjeta de sonido</p></body></html> <html><head/><body><p>"Aceptar" o "Cancelar" cambios de configuración, incluyendo el restablecer la interface de radio y aplicar cualquier cambio en la tarjeta de sonido</p></body></html> @@ -7265,12 +7408,12 @@ Clic derecho para insertar y eliminar opciones. No se puede crear un segmento de memoria compartida - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_it.ts b/translations/wsjtx_it.ts index 6b6c95084..7aa135f61 100644 --- a/translations/wsjtx_it.ts +++ b/translations/wsjtx_it.ts @@ -130,17 +130,17 @@ Dati Astronomici - + Doppler Tracking Error Errore Tracciamento Doppler - + Split operating is required for Doppler tracking Operazione Split richiesta per il tracciamento Doppler - + Go to "Menu->File->Settings->Radio" to enable split operation Vai a "Menu->File->Configurazione->Radio" per abilitare l'operazione split @@ -148,32 +148,32 @@ Bands - + Band name Nome Banda - + Lower frequency limit Limite frequenza minore - + Upper frequency limit Limite frequenza superiore - + Band Banda - + Lower Limit Limite inferiore - + Upper Limit Limite superiore @@ -369,75 +369,75 @@ Configuration::impl - - - + + + &Delete &Elimina - - + + &Insert ... &Inserisci ... - + Failed to create save directory Impossibile creare la directory di salvataggio - + path: "%1% Percorso: "%1" - + Failed to create samples directory Impossibile creare la directory dei campioni - + path: "%1" Percorso: "%1" - + &Load ... &Carica ... - + &Save as ... &Salva come ... - + &Merge ... &Unisci ... - + &Reset &Ripristina - + Serial Port: Porta Seriale: - + Serial port used for CAT control Porta Seriale usata per il controllo CAT - + Network Server: Server di rete: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -452,12 +452,12 @@ Formati: [IPv6-address]: porta - + USB Device: Dispositivo USB: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -468,152 +468,157 @@ Formato: [VID [: PID [: VENDOR [: PRODOTTI]]]] - + + Invalid audio input device Dispositivo di input audio non valido - Invalid audio out device - Dispositivo di uscita audio non valido + Dispositivo di uscita audio non valido - + + Invalid audio output device + + + + Invalid PTT method Metodo PTT non valido - + Invalid PTT port Porta PTT non valida - - + + Invalid Contest Exchange Scambio Contest non valido - + You must input a valid ARRL Field Day exchange È necessario inserire uno scambioField Day ARRL valido - + You must input a valid ARRL RTTY Roundup exchange È necessario inserire uno scambio Roundup RTTY ARRL valido - + Reset Decode Highlighting Ripristina l'evidenziazione della decodifica - + Reset all decode highlighting and priorities to default values Ripristina tutti i valori di evidenziazione e priorità della decodifica sui valori predefiniti - + WSJT-X Decoded Text Font Chooser Selezionatore font testo decodificato WSJT-X - + Load Working Frequencies Carica frequenze di lavoro - - - + + + Frequency files (*.qrg);;All files (*.*) File di frequenza (*.qrg);;Tutti i file (*.*) - + Replace Working Frequencies Sostituisci le frequenze di lavoro - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? Sei sicuro di voler scartare le tue attuali frequenze di lavoro e sostituirle con quelle caricate? - + Merge Working Frequencies Unisci le frequenze di lavoro - - - + + + Not a valid frequencies file Non è un file di frequenze valido - + Incorrect file magic Magic file errato - + Version is too new La versione è troppo nuova - + Contents corrupt Contenuto corrotto - + Save Working Frequencies Salva frequenze di lavoro - + Only Save Selected Working Frequencies Salva solo le frequenze di lavoro selezionate - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. Sei sicuro di voler salvare solo le frequenze di lavoro che sono attualmente selezionate? Fai clic su No per salvare tutto. - + Reset Working Frequencies Ripristina frequenze di lavoro - + Are you sure you want to discard your current working frequencies and replace them with default ones? Sei sicuro di voler scartare le tue attuali frequenze di lavoro e sostituirle con quelle predefinite? - + Save Directory Salva il direttorio - + AzEl Directory AzEl Direttorio - + Rig control error Errore di controllo rig - + Failed to open connection to rig Impossibile aprire la connessione al rig - + Rig failure Rig fallito @@ -1442,22 +1447,22 @@ Errore: %2 - %3 FrequencyDialog - + Add Frequency Aggiungi frequenza - + IARU &Region: &Regione IARU: - + &Mode: &Modo: - + &Frequency (MHz): &Frequenza (MHz): @@ -1465,26 +1470,26 @@ Errore: %2 - %3 FrequencyList_v2 - - + + IARU Region Regione IARU - - + + Mode Modo - - + + Frequency Frequenza - - + + Frequency (MHz) Frequenza (MHz) @@ -2075,12 +2080,13 @@ Errore (%2):%3 - - - - - - + + + + + + + Band Activity Attività di Banda @@ -2092,11 +2098,12 @@ Errore (%2):%3 - - - - - + + + + + + Rx Frequency Frequenza Rx @@ -2131,122 +2138,137 @@ Errore (%2):%3 Attiva / disattiva il monitoraggio - + &Monitor &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>Cancella la finestra a destra. Fare doppio clic per cancellare entrambe le finestre.</p></body></html> - + Erase right window. Double-click to erase both windows. Cancella la finestra a destra. Fare doppio clic per cancellare entrambe le finestre. - + &Erase &Cancella - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>Cancella la media dei messaggi accumulati.</p></body></html> - + Clear the accumulating message average. Cancella la media dei messaggi accumulati. - + Clear Avg Cancella media - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>Decodifica il periodo Rx più recente alla frequenza QSO</p></body></html> - + Decode most recent Rx period at QSO Frequency Decodifica il periodo Rx più recente alla frequenza QSO - + &Decode &Decodifica - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body> <p> Attiva / Disattiva Auto-Tx </p> </body> </html> - + Toggle Auto-Tx On/Off Attiva / Disattiva Auto-Tx - + E&nable Tx &Abilita Tx - + Stop transmitting immediately Interrompere immediatamente la trasmissione - + &Halt Tx &Arresta Tx - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>Attiva / disattiva un tono Tx puro</p></body></html> - + Toggle a pure Tx tone On/Off Attiva / disattiva un tono Tx puro - + &Tune &Accorda - + Menus Menù - + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency Frequenza di chiamata USB - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>30dB consigliato quando è presente solo rumore<br/>Verde quando buono<br/>Rosso quando può verificarsi distorsione<br/>Giallo quando troppo basso</p></body></html> - + Rx Signal Segnale Rx - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2257,338 +2279,344 @@ Rosso quando può verificarsi distorsione Giallo quando troppo basso - + DX Call Nominativo DX - + DX Grid Grid DX - + Callsign of station to be worked Nominativo statione da collegare - + Search for callsign in database Ricerca nominativo nel database - + &Lookup &Ricerca - + Locator of station to be worked Localizzatore della stazione da lavorare - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database Aggiungi nominativo e localizzatore al database - + Add Aggiungi - + Pwr Potenza - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>Se arancione o rosso si è verificato un errore nel controllo rig, fare clic per ripristinare e leggere la frequenza di sintonia. S implica la modalità split.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. Se arancione o rosso si è verificato un errore nel controllo rig, fare clic per ripristinare e leggere la frequenza di sintonia. S implica la modalità split. - + ? ? - + Adjust Tx audio level Regola il livello audio Tx - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>Seleziona la banda operativa o inserisci la frequenza in MHz o inserisci l'incremento di kHz seguito da k.</p></body></html> - + Frequency entry Immetti la frequenza - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. Seleziona la banda operativa o inserisci la frequenza in MHz o inserisci l'incremento di kHz seguito da k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Giu 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>Spuntare la casella per mantenere fissa la frequenza Tx quando si fa doppio clic sul testo decodificato.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. Spuntare la casella per mantenere fissa la frequenza Tx quando si fa doppio clic sul testo decodificato. - + Hold Tx Freq Mantenere premuto Tx Freq - + Audio Rx frequency Frequenza audio Rx - - - + + + + + Hz Hz - + + Rx Rx - + + Set Tx frequency to Rx Frequency Impostare la frequenza Tx su Frequenza Rx - + - + Frequency tolerance (Hz) Tolleranza di frequenza (Hz) - + + F Tol F Tol - + + Set Rx frequency to Tx Frequency Impostare la frequenza Rx su Frequenza Tx - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>Sincronizzazione della soglia. I numeri più bassi accettano segnali di sincronizzazione più deboli.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. Sincronizzazione della soglia. I numeri più bassi accettano segnali di sincronizzazione più deboli. - + Sync Sinc - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>Selezionare per utilizzare i messaggi di formato breve.</p></body></html> - + Check to use short-format messages. Selezionare per utilizzare i messaggi di formato breve. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>Selezionare per abilitare le modalità rapide JT9</p></body></html> - + Check to enable JT9 fast modes Selezionare per abilitare le modalità rapide JT9 - - + + Fast Veloce - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>Selezionare per abilitare il sequenziamento automatico dei messaggi Tx in base ai messaggi ricevuti.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. Selezionare per abilitare il sequenziamento automatico dei messaggi Tx in base ai messaggi ricevuti. - + Auto Seq Auto Seq - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>Selezionare per chiamare il primo risponditore decodificato al mio CQ.</p></body></html> - + Check to call the first decoded responder to my CQ. Selezionare per chiamare il primo risponditore decodificato al mio CQ. - + Call 1st Chiama il 1º - + Check to generate "@1250 (SEND MSGS)" in Tx6. Selezionare per generare "@1250 (INVIO MSGS)" in Tx6. - + Tx6 Tx6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>Selezionare su Tx in minuti o sequenze di numero pari, iniziando da 0; deselezionare le sequenze dispari.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. Selezionare su Tx in minuti o sequenze di numero pari, iniziando da 0; deselezionare le sequenze dispari. - + Tx even/1st Tx pari/1º - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body> <p> Frequenza di chiamata CQ in kHz sopra l'attuale MHz </p> </body> </html> - + Frequency to call CQ on in kHz above the current MHz Frequenza per chiamare CQ in kHz sopra l'attuale MHz - + Tx CQ Tx CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>Spunta questo per chiamare CQ sulla frequenza &quot;Tx CQ&quot;.L' Rx sarà sulla frequenza corrente e il messaggio CQ includerà la frequenza Rx corrente in modo che i chiamanti sappiano su quale frequenza rispondere. Non disponibile per i possessori di nominativi non standard.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. Spunta questo per chiamare CQ sulla frequenza "Tx CQ". Rx sarà sulla frequenza corrente e il messaggio CQ includerà la frequenza Rx corrente in modo che i chiamanti sappiano su quale frequenza rispondere. Non disponibile per i possessori di nominativi non standard. - + Rx All Freqs Rx Tutte le freq - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body> <p> La modalità secondaria determina la spaziatura dei toni; A è il più stretto. </p> </body> </html> - + Submode determines tone spacing; A is narrowest. La modalità secondaria determina la spaziatura dei toni; A è il più stretto. - + Submode Modalità Secondaria - - + + Fox Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Spuntare per monitorare i messaggi Sh.</p></body></html> - + Check to monitor Sh messages. Spuntare per monitorare i messaggi Sh. - + SWL SWL - + Best S+P Migliore S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>Seleziona questa opzione per avviare la registrazione dei dati di calibrazione.<br/>Mentre la misurazione della correzione della calibrazione è disabilitata.<br/>Se non selezionato puoi visualizzare i risultati della calibrazione.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2597,204 +2625,206 @@ Durante la misurazione, la correzione della calibrazione è disabilitata. Se non selezionato, è possibile visualizzare i risultati della calibrazione. - + Measure Misura - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>Rapporto segnale: rapporto segnale-rumore nella larghezza di banda di riferimento di 2500 Hz (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). Rapporto segnale: rapporto segnale-rumore nella larghezza di banda di riferimento di 2500 Hz (dB). - + Report Rapporto - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>TX/RX o Lunghezza della sequenza di calibrazione della frequenza</p></body></html> - + Tx/Rx or Frequency calibration sequence length TX/RX o Lunghezza della sequenza di calibrazione della frequenza - + + s s - + + T/R T/R - + Toggle Tx mode Attiva / disattiva la modalità Tx - + Tx JT9 @ Tx JT9 @ - + Audio Tx frequency Frequenza Tx audio - - + + Tx Tx - + Tx# Tx# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>Fare doppio clic su un altro chiamante per mettere in coda quella chiamata per il QSO successivo.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. Fare doppio clic su un altro chiamante per mettere in coda quella chiamata per il QSO successivo. - + Next Call Prossima chiamata - + 1 1 - - - + + + Send this message in next Tx interval Invia questo messaggio nel prossimo intervallo Tx - + Ctrl+2 Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Invia questo messaggio nel prossimo intervallo Tx </p><p>Fare doppio clic per alternare l'uso del messaggio Tx1 per avviare un QSO con una stazione (non consentito per i detentori di chiamate composte di tipo 1)</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Invia questo messaggio nel prossimo intervallo Tx Fare doppio clic per attivare / disattivare l'uso del messaggio Tx1 per avviare un QSO con una stazione (non consentito per i detentori di chiamate composte di tipo 1) - + Ctrl+1 Ctrl+1 - - - - + + + + Switch to this Tx message NOW Passa a questo messaggio Tx ADESSO - + Tx &2 Tx &2 - + Alt+2 Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Passa a questo messaggio Tx ORA</p><p>Fai doppio clic per attivare o disattivare l'uso del messaggio Tx1 per avviare un QSO con una stazione (non consentito per i detentori di chiamate composte di tipo 1)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Passa a questo messaggio Tx ADESSO Fare doppio clic per attivare / disattivare l'uso del messaggio Tx1 per avviare un QSO con una stazione (non consentito per i detentori di chiamate composte di tipo 1) - + Tx &1 Tx &1 - + Alt+1 Alt+1 - + Ctrl+6 Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Invia questo messaggio nel prossimo intervallo Tx</p><p>Fare doppio clic per ripristinare il messaggio 73 standard</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message Invia questo messaggio nel prossimo intervallo Tx Fare doppio clic per ripristinare il messaggio 73 standard - + Ctrl+5 Ctrl+5 - + Ctrl+3 Ctrl+3 - + Tx &3 Tx &3 - + Alt+3 Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Invia questo messaggio nel prossimo intervallo Tx</p><p>Fare doppio clic per alternare tra i messaggi RRR e RR73 in Tx4 (non consentito per i possessori di chiamate composte di tipo 2)</p><p>I messaggi RR73 devono essere utilizzati solo quando si è ragionevolmente sicuri che non saranno necessarie ripetizioni dei messaggi</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2803,17 +2833,17 @@ Fare doppio clic per alternare tra i messaggi RRR e RR73 in Tx4 (non consentito I messaggi RR73 devono essere utilizzati solo quando si è ragionevolmente sicuri che non saranno necessarie ripetizioni dei messaggi - + Ctrl+4 Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Passa a questo messaggio Tx ORA</p><p>Fai doppio clic per alternare tra i messaggi RRR e RR73 in Tx4 (non consentito per i possessori di chiamate composte di tipo2)</p><p>I messaggi RR73 devono essere utilizzati solo quando sei ragionevolmente sicuro che non sarà richiesta alcuna ripetizione del messaggio</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2822,65 +2852,64 @@ Fare doppio clic per alternare tra i messaggi RRR e RR73 in Tx4 (non consentito I messaggi RR73 devono essere utilizzati solo quando si è ragionevolmente sicuri che non saranno necessarie ripetizioni dei messaggi - + Tx &4 Tx &4 - + Alt+4 Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Passa a questo messaggio Tx ADESSO</p><p>Fai doppio clic per ripristinare il messaggio 73 standard</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message Passa a questo messaggio Tx ADESSO Fare doppio clic per ripristinare il messaggio 73 standard - + Tx &5 Tx &5 - + Alt+5 Alt+5 - + Now Now - + Generate standard messages for minimal QSO Genera messaggi standard per un QSO minimo - + Generate Std Msgs Genera Std Msgs - + Tx &6 Tx &6 - + Alt+6 Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2891,1074 +2920,1099 @@ Premere INVIO per aggiungere il testo corrente al predefinito elenco. L'elenco può essere gestito in Impostazioni (F2). - + Queue up the next Tx message Accoda il prossimo messaggio Tx - + Next Prossimo - + 2 2 - + + FST4W + + + Calling CQ - Chiamando CQ + Chiamando CQ - Generate a CQ message - Genera un messaggio CQ + Genera un messaggio CQ - - - + + CQ CQ - Generate message with RRR - Genera un messaggio con RRR + Genera un messaggio con RRR - RRR - RRR + RRR - Generate message with report - Genera un messaggio con rapporto + Genera un messaggio con rapporto - dB - dB + dB - Answering CQ - Rispondere al CQ + Rispondere al CQ - Generate message for replying to a CQ - Genera messaggio di risposta al CQ + Genera messaggio di risposta al CQ - - + Grid Grid - Generate message with R+report - Genera messaggio con R+rapporto + Genera messaggio con R+rapporto - R+dB - R+dB + R+dB - Generate message with 73 - Genera messaggio con 73 + Genera messaggio con 73 - 73 - 73 + 73 - Send this standard (generated) message - Invia questo messaggio standard (generato) + Invia questo messaggio standard (generato) - Gen msg - Gen msg + Gen msg - Send this free-text message (max 13 characters) - Invia questo messaggio di testo libero (massimo 13 caratteri) + Invia questo messaggio di testo libero (massimo 13 caratteri) - Free msg - Msg libero + Msg libero - 3 - 3 + 3 - + Max dB Max dB - + CQ AF CQ AF - + CQ AN CQ AN - + CQ AS CQ AS - + CQ EU CQ EU - + CQ NA CQ NA - + CQ OC CQ OC - + CQ SA CQ SA - + CQ 0 CQ 0 - + CQ 1 CQ 1 - + CQ 2 CQ 2 - + CQ 3 CQ 3 - + CQ 4 CQ 4 - + CQ 5 CQ 5 - + CQ 6 CQ 6 - + CQ 7 CQ 7 - + CQ 8 CQ 8 - + CQ 9 CQ 9 - + Reset Ripristina - + N List N List - + N Slots N Slots - - + + + + + + + Random Casuale - + Call Nominativo - + S/N (dB) S/N (dB) - + Distance Distanza - + More CQs Più CQs - Percentage of 2-minute sequences devoted to transmitting. - Percentuale di sequenze di 2 minuti dedicate alla trasmissione. + Percentuale di sequenze di 2 minuti dedicate alla trasmissione. - + + % % - + Tx Pct Tx Pct - + Band Hopping Band Hopping - + Choose bands and times of day for band-hopping. Scegli le fasce e gli orari del giorno per il band-hopping. - + Schedule ... Programma ... + 1/2 - 1/2 + 1/2 + 2/2 - 2/2 + 2/2 + 1/3 - 1/3 + 1/3 + 2/3 - 2/3 + 2/3 + 3/3 - 3/3 + 3/3 + 1/4 - 1/4 + 1/4 + 2/4 - 2/4 + 2/4 + 3/4 - 3/4 + 3/4 + 4/4 - 4/4 + 4/4 + 1/5 - 1/5 + 1/5 + 2/5 - 2/5 + 2/5 + 3/5 - 3/5 + 3/5 + 4/5 - 4/5 + 4/5 + 5/5 - 5/5 + 5/5 + 1/6 - 1/6 + 1/6 + 2/6 - 2/6 + 2/6 + 3/6 - 3/6 + 3/6 + 4/6 - 4/6 + 4/6 + 5/6 - 5/6 + 5/6 + 6/6 - 6/6 + 6/6 - + Upload decoded messages to WSPRnet.org. Carica messaggi decodificati su WSPRnet.org. - + Upload spots Carica spot - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>I localizzatori a 6 cifre causano l'invio di 2 messaggi diversi, il secondo contiene il localizzatore completo ma solo un nominativo con hash, altre stazioni devono aver decodificato il primo una volta prima di poter decodificare la chiamata nel secondo. Selezionare questa opzione per inviare localizzatori a 4 cifre solo se si eviterà il protocollo a due messaggi.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. I localizzatori a 6 cifre causano l'invio di 2 messaggi diversi, il secondo contiene il localizzatore completo ma solo un nominativo con hash, altre stazioni devono aver decodificato il primo una volta prima di poter decodificare la chiamata nel secondo. Selezionare questa opzione per inviare localizzatori a 4 cifre solo se si eviterà il protocollo a due messaggi. + + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + FT240W FT240W - Prefer type 1 messages - Preferisci i messaggi di tipo 1 + Preferisci i messaggi di tipo 1 - + No own call decodes Nessuna decodifica del proprio nominativo - Transmit during the next 2-minute sequence. - Trasmettere durante la sequenza di 2 minuti successiva. + Trasmettere durante la sequenza di 2 minuti successiva. - + Tx Next Tx Successiva - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. Imposta la potenza Tx in dBm (dB sopra 1 mW) come parte del tuo messaggio WSPR. - + + NB + + + + File File - + View Vista - + Decode Decodificare - + Save Salva - + Help Aiuto - + Mode Modo - + Configurations Configurazioni - + Tools Strumenti - + Exit Uscita - Configuration - Configurazione + Configurazione - F2 - F2 + F2 - + About WSJT-X Informazioni su WSJT-X - + Waterfall Display a cascata - + Open Apri - + Ctrl+O Ctrl+O - + Open next in directory Apri successivo nella directory - + Decode remaining files in directory Decodifica i file rimanenti nella directory - + Shift+F6 Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir Elimina tutti i file * .wav && * .c2 nel direttorio - + None Nessuno - + Save all Salva tutto - + Online User Guide Guida per l'utente online - + Keyboard shortcuts Scorciatoie da tastiera - + Special mouse commands Comandi speciali mouse - + JT9 JT9 - + Save decoded Salva decodificato - + Normal Normale - + Deep Profondo - Monitor OFF at startup - Monitor OFF all'avvio + Monitor OFF all'avvio - + Erase ALL.TXT Cancella ALL.TXT - + Erase wsjtx_log.adi Cancella wsjtx_log.adi - Convert mode to RTTY for logging - Convertire la modalità in RTTY per la registrazione + Convertire la modalità in RTTY per la registrazione - Log dB reports to Comments - Registra rapporto dB nei commenti + Registra rapporto dB nei commenti - Prompt me to log QSO - Avvisami di registrare il QSO + Avvisami di registrare il QSO - Blank line between decoding periods - Riga vuota tra i periodi di decodifica + Riga vuota tra i periodi di decodifica - Clear DX Call and Grid after logging - Cancella chiamata DX e griglia dopo la registrazione + Cancella chiamata DX e griglia dopo la registrazione - Display distance in miles - Visualizza la distanza in miglia + Visualizza la distanza in miglia - Double-click on call sets Tx Enable - Fare doppio clic sui set di chiamate Abilita Tx + Fare doppio clic sui set di chiamate Abilita Tx - - + F7 F7 - Tx disabled after sending 73 - Tx disabilitato dopo l'invio 73 + Tx disabilitato dopo l'invio 73 - - + Runaway Tx watchdog Watchdog Tx sfuggito - Allow multiple instances - Consenti più istanze + Consenti più istanze - Tx freq locked to Rx freq - Tx freq bloccato su Rx freq + Tx freq bloccato su Rx freq - + JT65 JT65 - + JT9+JT65 JT9+JT65 - Tx messages to Rx Frequency window - Messaggi Tx alla finestra Frequenza Rx + Messaggi Tx alla finestra Frequenza Rx - Gray1 - Gray1 + Gray1 - Show DXCC entity and worked B4 status - Mostra entità DXCC e stato B4 lavorato + Mostra entità DXCC e stato B4 lavorato - + Astronomical data Dati Astronomici - + List of Type 1 prefixes and suffixes Elenco di prefissi e suffissi di tipo 1 - + Settings... Impostazioni... - + Local User Guide Guida per l'utente locale - + Open log directory Apri il direttorio del Log - + JT4 JT4 - + Message averaging Media dei messaggi - + Enable averaging Abilita Media - + Enable deep search Abilita ricerca profonda - + WSPR WSPR - + Echo Graph Grafico Eco - + F8 F8 - + Echo Eco - + EME Echo mode Modo Eco EME - + ISCAT ISCAT - + Fast Graph Grafico Veloce - + F9 F9 - + &Download Samples ... &Scarica Campioni ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>Scarica file audio di esempio che dimostrano le varie modalità.</p></body></html> - + MSK144 MSK144 - + QRA64 QRA64 - + Release Notes Note di rilascio - + Enable AP for DX Call Abilita AP per DX Call - + FreqCal FreqCal - + Measure reference spectrum Misurare lo spettro di riferimento - + Measure phase response Misura la risposta di fase - + Erase reference spectrum Cancella spettro di riferimento - + Execute frequency calibration cycle Eseguire il ciclo di calibrazione della frequenza - + Equalization tools ... Strumenti di equalizzazione ... - WSPR-LF - WSPR-LF + WSPR-LF - Experimental LF/MF mode - Modo Sperimentale LF/MF + Modo Sperimentale LF/MF - + FT8 FT8 - - + + Enable AP Abilita AP - + Solve for calibration parameters Risolvi per i parametri di calibrazione - + Copyright notice Avviso sul copyright - + Shift+F1 Shift+F1 - + Fox log Fox log - + FT8 DXpedition Mode User Guide Manuale Utente modo FT8 DXpedition - + Reset Cabrillo log ... Ripristina Cabrillo log ... - + Color highlighting scheme Schema di evidenziazione del colore - Contest Log - Log del Contest + Log del Contest - + Export Cabrillo log ... Esporta Log Cabrillo ... - Quick-Start Guide to WSJT-X 2.0 - Guida rapida per WSJT-X 2.0 + Guida rapida per WSJT-X 2.0 - + Contest log Log del Contest - + Erase WSPR hashtable Cancella hashtable WSPR - + FT4 FT4 - + Rig Control Error Errore di controllo rig - - - + + + Receiving Ricevente - + Do you want to reconfigure the radio interface? Vuoi riconfigurare l'interfaccia radio? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log Errore durante la scansione del registro ADIF - + Scanned ADIF log, %1 worked before records created Log ADIF scansionato,%1 ha funzionato prima della creazione dei record - + Error Loading LotW Users Data Errore durante il caricamento dei dati degli utenti di LotW - + Error Writing WAV File Errore durante la scrittura del file WAV - + Configurations... Configurazioni... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message Messaggio - + Error Killing jt9.exe Process Errore durante l'uccisione del processo jt9.exe - + KillByName return code: %1 Codice di ritorno KillByName:%1 - + Error removing "%1" Errore durante la rimozione di "%1" - + Click OK to retry Fai clic su OK per riprovare - - + + Improper mode Modalità impropria - - + + File Open Error Errore apertura file - - - - - + + + + + Cannot open "%1" for append: %2 Impossibile aprire "%1" per aggiungere:%2 - + Error saving c2 file Errore salvataggio file c2 - + Error in Sound Input Errore nell'ingresso audio - + Error in Sound Output Errore nell'uscita audio - - - + + + Single-Period Decodes Decodifiche a periodo singolo - - - + + + Average Decodes Media Decodifiche - + Change Operator Cambio Operatore - + New operator: Nuovo operatore: - + Status File Error Errore del file di stato - - + + Cannot open "%1" for writing: %2 Impossibile aprire "%1" per la scrittura:%2 - + Subprocess Error Errore sottoprocesso - + Subprocess failed with exit code %1 Il sottoprocesso non è riuscito con il codice di uscita%1 - - + + Running: %1 %2 In esecuzione: %1 %2 - + Subprocess error Errore sottoprocesso - + Reference spectrum saved Spettro di riferimento salvato - + Invalid data in fmt.all at line %1 Dati non validi in fmt.all alla riga%1 - + Good Calibration Solution Buona soluzione di calibrazione - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3971,17 +4025,17 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). %9%L10 Hz</pre> - + Delete Calibration Measurements Elimina misure di calibrazione - + The "fmt.all" file will be renamed as "fmt.bak" Il file "fmt.all" verrà rinominato come "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." @@ -3990,27 +4044,27 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). "Gli algoritmi, il codice sorgente, l'aspetto di WSJT-X e dei relativi programmi e le specifiche del protocollo per le modalità FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 sono Copyright (C) 2001-2020 di uno o più dei seguenti autori: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q e altri membri del WSJT Development Group. " - + No data read from disk. Wrong file format? Nessun dato letto dal disco. Formato file errato? - + Confirm Delete Conferma Eliminazione - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? Sei sicuro di voler eliminare tutti i file * .wav e * .c2 in "%1"? - + Keyboard Shortcuts Scorciatoie da tastiera - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -4060,12 +4114,12 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). - + Special Mouse Commands Comandi speciali mouse - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -4076,7 +4130,7 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -4084,10 +4138,10 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4101,42 +4155,42 @@ elenco. L'elenco può essere gestito in Impostazioni (F2). - + No more files to open. Niente più file da aprire. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. Scegli un'altra frequenza Tx. WSJT-X non trasmetterà consapevolmente un'altra modalità nella sottobanda WSPR a 30 m. - + WSPR Guard Band Banda di guardia WSPR - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. Scegli un'altra frequenza di composizione. WSJT-X non funzionerà in modalità Fox nelle sottobande FT8 standard. - + Fox Mode warning Avviso modalità Fox - + Last Tx: %1 Ultimo Tx:%1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4147,184 +4201,183 @@ Per fare ciò, selezionare "Attività operativa speciale" e "Contest VHF EU" sulle impostazioni | Scheda Avanzate. - + Should you switch to ARRL Field Day mode? Dovresti passare alla modalità Field Day di ARRL? - + Should you switch to RTTY contest mode? Dovresti passare alla modalità contest RTTY? - - - - + + + + Add to CALL3.TXT Aggiungi a CALL3.TXT - + Please enter a valid grid locator Inserisci un localizzatore di griglia valido - + Cannot open "%1" for read/write: %2 Impossibile aprire "%1" per lettura / scrittura:%2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 è già in CALL3.TXT, desideri sostituirlo? - + Warning: DX Call field is empty. Avviso: il campo Chiamata DX è vuoto. - + Log file error Errore nel file di registro - + Cannot open "%1" Impossibile aprire "%1" - + Error sending log to N1MM Errore durante l'invio del Log a N1MM - + Write returned "%1" Scrivi ha restituito "%1" - + Stations calling DXpedition %1 Stazioni che chiamano la DXpedition %1 - + Hound (Hound=Cane da caccia) Hound - + Tx Messages Messaggi Tx - - - + + + Confirm Erase Conferma Cancella - + Are you sure you want to erase file ALL.TXT? Sei sicuro di voler cancellare il file ALL.TXT? - - + + Confirm Reset Conferma Ripristina - + Are you sure you want to erase your contest log? Sei sicuro di voler cancellare il tuo Log del contest? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. In questo modo verranno rimossi tutti i record QSO per il contest corrente. Saranno conservati nel file di registro ADIF ma non saranno disponibili per l'esportazione nel registro Cabrillo. - + Cabrillo Log saved Log Cabrillo salvato - + Are you sure you want to erase file wsjtx_log.adi? Sei sicuro di voler cancellare il file wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? Sei sicuro di voler cancellare la tabella hash WSPR? - VHF features warning - VHF presenta un avviso + VHF presenta un avviso - + Tune digital gain Ottimizza il guadagno digitale - + Transmit digital gain Trasmetti Guadagno digitale - + Prefixes Prefissi - + Network Error Errore di Rete - + Error: %1 UDP server %2:%3 Errore:%1 Server UDP%2:%3 - + File Error Errore File - + Phase Training Disabled Fase di Allenamento Disabilitato - + Phase Training Enabled Fase di allenamento abilitato - + WD:%1m WD:%1m - - + + Log File Error Errore file di Log - + Are you sure you want to clear the QSO queues? Sei sicuro di voler cancellare le code QSO? @@ -4346,8 +4399,8 @@ Server UDP%2:%3 Modes - - + + Mode Modo @@ -4500,7 +4553,7 @@ Server UDP%2:%3 Impossibile aprire ilf file CSV LotW degli utenti: '%1' - + OOB OOB @@ -4691,7 +4744,7 @@ Errore (%2):%3 Errore non recuperabile, dispositivo di input audio non utilizzabile in questo momento. - + Requested input audio format is not valid. Il formato audio di input richiesto non è valido. @@ -4701,37 +4754,37 @@ Errore (%2):%3 Il formato audio di input richiesto non è supportato sul dispositivo. - + Failed to initialize audio sink device Impossibile inizializzare il dispositivo sink audio - + Idle Inattivo - + Receiving Ricevente - + Suspended Sospeso - + Interrupted Interrotto - + Error Errore - + Stopped Fermato @@ -4739,62 +4792,67 @@ Errore (%2):%3 SoundOutput - + An error opening the audio output device has occurred. Si è verificato un errore durante l'apertura del dispositivo di uscita audio. - + An error occurred during write to the audio output device. Si è verificato un errore durante la scrittura sul dispositivo di uscita audio. - + Audio data not being fed to the audio output device fast enough. I dati audio non vengono inviati al dispositivo di uscita audio abbastanza velocemente. - + Non-recoverable error, audio output device not usable at this time. Errore non recuperabile, dispositivo di uscita audio non utilizzabile in questo momento. - + Requested output audio format is not valid. Il formato audio di output richiesto non è valido. - + Requested output audio format is not supported on device. Il formato audio di output richiesto non è supportato sul dispositivo. - + + No audio output device configured. + + + + Idle Inattivo - + Sending Invio - + Suspended Sospeso - + Interrupted Interrotto - + Error Errore - + Stopped Fermato @@ -4802,22 +4860,22 @@ Errore (%2):%3 StationDialog - + Add Station Aggoingi Stazione - + &Band: &Banda: - + &Offset (MHz): &Offset (MHz): - + &Antenna: &Antenna: @@ -5005,19 +5063,23 @@ Errore (%2):%3 <html><head/><body><p>Decode JT9 only above this frequency</p></body></html> <html><head/><body><p>Decodifica JT9 solo sopra questa frequenza</p></body></html> - - Hz - Hz - - JT9 - JT9 + Hz + Hz + Split + + + + JT9 + JT9 + + JT65 - JT65 + JT65 @@ -5051,6 +5113,29 @@ Errore (%2):%3 Leggi Tavolozza + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5249,9 +5334,8 @@ Errore (%2):%3 minuti - Enable VHF/UHF/Microwave features - Abilita le funzionalità VHF / UHF / Microonde + Abilita le funzionalità VHF / UHF / Microonde @@ -5368,7 +5452,7 @@ periodo di quiete al termine della decodifica. - + Port: Porta: @@ -5379,137 +5463,149 @@ periodo di quiete al termine della decodifica. + Serial Port Parameters Parametri Porta Seriale - + Baud Rate: Baud Rate: - + Serial port data rate which must match the setting of your radio. Velocità dati della porta seriale che deve corrispondere all'impostazione della radio. - + 1200 1200 - + 2400 2400 - + 4800 4800 - + 9600 9600 - + 19200 19200 - + 38400 38400 - + 57600 57600 - + 115200 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>Numero di bit di dati utilizzati per comunicare con l'interfaccia CAT della radio (in genere otto). </p></body></html> - + + Data bits + + + + Data Bits Bit di dati - + D&efault Pred&efinito - + Se&ven Se&tte - + E&ight O&tto - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>Numero di bit di stop utilizzati durante la comunicazione con l'interfaccia CAT della radio</p><p>(consultare il manuale della radio per i dettagli).</p></body></html> - + + Stop bits + + + + Stop Bits Bits di Stop - - + + Default Predefinito - + On&e &Uno - + T&wo &Due - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocollo di controllo del flusso utilizzato tra questo computer e l'interfaccia CAT della radio (in genere &quot;Nessuno&quot; ma qualcuno richiede &quot;Hardware&quot;).</p></body></html> - + + Handshake Handshake - + &None &Nessuno - + Software flow control (very rare on CAT interfaces). Controllo del flusso del software (molto raro sulle interfacce CAT). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5518,74 +5614,75 @@ non usato spesso ma alcune radio lo hanno come opzione e alcuni, in particolare (alcuni rig Kenwood, lo richiedono). - + &Hardware &Hardware - + Special control of CAT port control lines. Controllo speciale delle linee di controllo della porta CAT. - + + Force Control Lines Forza Linee di controllo - - + + High Alto - - + + Low Basso - + DTR: DTR: - + RTS: RTS: - + How this program activates the PTT on your radio? In che modo questo programma attiva il PTT sulla radio? - + PTT Method Metodo PTT - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>Nessuna attivazione PTT, invece viene utilizzato il VOX automatico della radio per attivare il trasmettitore.</p><p>Usalo se non hai hardware di interfaccia radio.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>Utilizzare la linea di controllo DTR RS-232 per attivare / disattivare il PTT della radio, richiede l'hardware per interfacciare la linea.</p><p>Anche alcune unità di interfaccia commerciale utilizzano questo metodo.</p><p>La linea di controllo DTR della porta seriale CAT può essere usata a questo scopo o una linea di controllo DTR su una porta seriale diversa.</p></body></html> - + &DTR &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5594,47 +5691,47 @@ usa questa opzione se la tua radio la supporta e non hai altra interfaccia hardware per PTT. - + C&AT C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>Usa la linea di controllo RS-232 RTS per attivare / disattivare il PTT della tua radio, richiede hardware per interfacciare la linea. </p><p>Anche alcune unità di interfaccia commerciale usano questo metodo.</p><p>La linea di controllo RTS della porta seriale CAT può essere utilizzata per questa o una linea di controllo RTS su una porta seriale diversa. Questa opzione non è disponibile sulla porta seriale CAT quando viene utilizzato il controllo del flusso hardware.</p></body></html> - + R&TS R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>Seleziona la porta seriale RS-232 utilizzata per il controllo PTT, questa opzione è disponibile quando DTR o RTS è selezionato sopra come metodo di trasmissione.</p><p>Questa porta può essere uguale a quello utilizzato per il controllo CAT.</p><p>Per alcuni tipi di interfaccia è possibile scegliere il valore speciale CAT, utilizzato per interfacce CAT non seriali che possono controllare da remoto le linee di controllo della porta seriale ( OmniRig per esempio).</p></body></html> - + Modulation mode selected on radio. Modalità di modulazione selezionata alla radio. - + Mode Modo - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>L'USB è di solito la modalità di modulazione corretta,</p><p>a meno che la radio non abbia un'impostazione di dati speciali o modalità pacchetto</p><p>per il funzionamento di AFSK.</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5643,23 +5740,23 @@ or bandwidth is selected). o la larghezza di banda è selezionata). - - + + None Nessuno - + If this is available then it is usually the correct mode for this program. Se questo è disponibile, di solito è la modalità corretta per questo programma. - + Data/P&kt Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5668,52 +5765,52 @@ questa impostazione consente di selezionare quale ingresso audio verrà utilizza (se disponibile, in genere l'opzione Posteriore / Dati è la migliore). - + Transmit Audio Source Trasmettere la sorgente audio - + Rear&/Data Rear&/Data - + &Front/Mic &Front/Mic - + Rig: Rig: - + Poll Interval: Intervallo di Interrogazione: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>Intervallo di interrogazione del rig per sapere lo status. Intervalli più lunghi significheranno che le modifiche al rig richiedono più tempo per essere rilevate.</p></body></html> - + s s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>Tenta di connettersi alla radio con queste impostazioni.</p><p>Il pulsante diventerà verde se la connessione ha esito positivo o rosso in caso di problemi. </p></body></html> - + Test CAT Test CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5726,47 +5823,47 @@ Verificare che qualsiasi indicazione Tx sulla radio e / o sul proprio l'interfaccia radio si comporta come previsto. - + Test PTT Prova-PTT - + Split Operation Operazione in Split - + Fake It Fai finta - + Rig Rig - + A&udio A&udio - + Audio interface settings Impostazioni dell'interfaccia audio - + Souncard Scheda audio - + Soundcard Scheda audio - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5779,46 +5876,51 @@ trasmetterai qualsiasi suono di sistema generato durante periodi di trasmissione. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. Seleziona l'audio CODEC da utilizzare per la ricezione. - + &Input: &Ingresso: - + Select the channel to use for receiving. Seleziona il canale da utilizzare per la ricezione. - - + + Mono Mono - - + + Left Sinistro - - + + Right Destro - - + + Both Entrambi - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5829,110 +5931,115 @@ canali; quindi di solito si desidera selezionare mono o entrambi qui. - + + Enable VHF and submode features + + + + Ou&tput: Usci&ta: - - + + Save Directory Salva directory - + Loc&ation: &Posizione: - + Path to which .WAV files are saved. Percorso in cui vengono salvati i file .WAV. - - + + TextLabel Etichetta di testo - + Click to select a different save directory for .WAV files. Fare clic per selezionare una directory di salvataggio diversa per i file .WAV. - + S&elect S&eleziona - - + + AzEl Directory AzEl Directory - + Location: Posizione: - + Select Seleziona - + Power Memory By Band Memoria di Potenza per banda - + Remember power settings by band Ricorda le impostazioni di alimentazione per banda - + Enable power memory during transmit Abilita la memoria di potenza durante la trasmissione - + Transmit Trasmetti - + Enable power memory during tuning Abilita la memoria di potenza durante la sintonia - + Tune Accorda - + Tx &Macros Tx &Macros - + Canned free text messages setup Impostazione dei messaggi di testo libero - + &Add &Aggiungi - + &Delete &Elimina - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5941,37 +6048,37 @@ Fare clic con il tasto destro per azioni specifiche dell'oggetto Fare clic, MAIUSC + clic e, CRTL + clic per selezionare gli elementi - + Reportin&g &Segnalazione - + Reporting and logging settings Impostazioni di report e registrazione - + Logging Registrazione - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. Il programma aprirà una finestra di dialogo Log QSO parzialmente completata quando si invia un messaggio di testo libero o 73. - + Promp&t me to log QSO Avvisami di regis&trare il QSO - + Op Call: Nominativo Op: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5983,57 +6090,57 @@ Seleziona questa opzione per salvare i rapporti inviati e ricevuti nel campo commenti. - + d&B reports to comments Riporta d&B nei commenti - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. Seleziona questa opzione per forzare la cancellazione della chiamata DX e i campi della Griglia DX quando viene inviato un messaggio di testo libero o 73. - + Clear &DX call and grid after logging (Griglia=GRID LOCATOR) Cancella chiamata &DX e la griglia dopo la registrazione - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> (Registrazione=Log) <html><head/><body><p>Alcuni programmi di registrazione non accettano i nomi della modalità WSJT-X.</p></body></html> - + Con&vert mode to RTTY Con&vertire la modalità in RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>Il nominativo dell'operatore, se diverso dal nominativo della stazione.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>Verifica che i QSO siano registrati automaticamente, quando completi. </p></body></html> - + Log automatically (contesting only) (Registra=Scrivi nel Log) Registra automaticamente (solo in contest) - + Network Services Servizi di rete - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> @@ -6048,509 +6155,545 @@ Questo è usato per l'analisi del beacon inverso che è molto utile per valutare la propagazione e le prestazioni del sistema. - + Enable &PSK Reporter Spotting Abilita rilevamento &PSK Reporter - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server UDP Server - + UDP Server: UDP Server: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>Nome host facoltativo del servizio di rete per ricevere decodifiche.</p><p>Formati:</p><ul style="margin-top: 0px; margin-bottom: 0px; margine-sinistra: 0px; margine-destra: 0px; -qt-list-indent: 1;"><li style="margin-top: 12px; margin-bottom: 0px; margin-left: 0px; margin- right: 0px; -qt-block-indent: 0; text-indent: 0px;">hostname</li><li style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin -right: 0px; -qt-block-indent: 0; text-indent: 0px;">Indirizzo IPv4</li><li style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px ; margin-right: 0px; -qt-block-indent: 0; text-indent: 0px;">Indirizzo IPv6</li><li style="margin-top: 0px; margin-bottom: 0px; margin-left : 0px; margine-destra: 0px; -qt-block-indent: 0; text-indent: 0px;">Indirizzo gruppo multicast IPv4</li><li style="margin-top: 0px; margin-bottom: 0px ; margin-left: 0px; margin-right: 0px; -qt-block-indent: 0; text-indent: 0px;">Indirizzo gruppo multicast IPv6</li></ul><p>Deselezionando questo campo si disabilita la trasmissione di aggiornamenti di stato UDP.</p></Body></html> - + UDP Server port number: Porta del Server UDP: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>Immettere il numero di porta del servizio del server UDP a cui WSJT-X deve inviare gli aggiornamenti. Se questo è zero, non verranno trasmessi aggiornamenti.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>Con questo abilitato WSJT-X accetterà alcune richieste di ritorno da un server UDP che riceve messaggi di decodifica.</p></body></html> - + Accept UDP requests Accetta richieste UDP - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>Indica l'accettazione di una richiesta UDP in arrivo. L'effetto di questa opzione varia a seconda del sistema operativo e del gestore delle finestre, il suo intento è di notificare l'accettazione di una richiesta UDP in arrivo anche se questa applicazione è ridotta a icona o nascosta.</p></body></html> - + Notify on accepted UDP request Notifica su richiesta UDP accettata - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>Ripristina la finestra da minimizzata se viene accettata una richiesta UDP.</p></body></html> - + Accepted UDP request restores window Finestra di ripristino richieste UDP accettate - + Secondary UDP Server (deprecated) Server UDP Secondario (obsoleto) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>Se selezionato, WSJT-X trasmetterà un contatto registrato in formato ADIF al nome host e alla porta configurati.</p></body></html> - + Enable logged contact ADIF broadcast Abilita trasmissione ADIF del contatto registrato - + Server name or IP address: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>Nome host facoltativo del programma Logger + N1MM per ricevere trasmissioni UDP ADIF. Di solito si tratta di "localhost" o indirizzo IP 127.0.0.1</p><p>Formati:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Indirizzo IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Indirizzo IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Indirizzo di gruppo multicast IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Indirizzo di gruppo multicast IPv6</li></ul><p>La cancellazione di questo campo disabiliterà la trasmissione di informazioni ADIF tramite UDP.</p></body></html> - + Server port number: Numero porta Server: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>Immettere il numero di porta che WSJT-X deve utilizzare per le trasmissioni UDP delle informazioni del registro ADIF. Per N1MM Logger +, questo valore dovrebbe essere 2333. Se questo è zero, non verrà trasmesso alcun aggiornamento.</p></body></html> - + Frequencies Frequenze - + Default frequencies and band specific station details setup Frequenze predefinite e impostazione specifiche dei dettagli della stazione per banda - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>Vedere &quot;Calibrazione di Frequenza&quot;nella Guida dell'utente WSJT-X per i dettagli su come determinare questi parametri per la radio.</p></body></html> - + Frequency Calibration Calibrazione di Frequenza - + Slope: Inclinazione: - + ppm ppm - + Intercept: Intercetta: - + Hz Hz - + Working Frequencies Frequenze di Lavoro - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>Fare clic con il tasto destro per mantenere l'elenco delle frequenze di lavoro.</p></body></html> - + Station Information Informazioni Stazione - + Items may be edited. Right click for insert and delete options. Gli articoli possono essere modificati. Fare clic con il tasto destro per inserire ed eliminare le opzioni. - + Colors Colori - + Decode Highlightling Evidenziazione Decodifica - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> <html><head/><body><p>Fare clic per scansionare nuovamente il file ADIF wsjtx_log.adi alla ricerca di informazioni se collegato prima</p></body></html> - + Rescan ADIF Log Eseguire nuovamente la scansione del registro ADIF - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>Premere per ripristinare tutti gli elementi evidenziati sopra ai valori e alle priorità predefiniti.</p></body></html> - + Reset Highlighting Ripristina l'evidenziazione - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>Abilitare o disabilitare utilizzando le caselle di controllo e fare clic con il pulsante destro del mouse su un elemento per modificare o annullare il colore di primo piano, il colore di sfondo o ripristinare l'elemento sui valori predefiniti. Trascina e rilascia gli elementi per cambiarne la priorità, più in alto nell'elenco ha una priorità più alta.</p><p>Nota che ogni colore di primo piano o di sfondo può essere impostato o non impostato, non impostato significa che non è assegnato per quello di quell'elemento possono essere applicati articoli di tipo e priorità inferiore.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>Selezionare per indicare nuove entità DXCC, quadrati della griglia e nominativi per modalità.</p></body></html> - + Highlight by Mode Evidenzia per modalità - + Include extra WAE entities Includi entità WAE extra - + Check to for grid highlighting to only apply to unworked grid fields Verificare che l'evidenziazione della griglia si applichi solo ai campi della griglia non lavorati - + Only grid Fields sought Sono stati cercati solo i campi della griglia - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>Controlli per la ricerca degli utenti di Logbook of the World.</p></body></html> - + Logbook of the World User Validation Convalida dell'utente Logbook of the World - + Users CSV file URL: URL del file CSV degli utenti: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>URL del file di dati e date dell'ultimo caricamento dell'utente ARRL LotW utilizzato per evidenziare i decodificatori dalle stazioni note per caricare il loro file di registro su LotW.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>Premere questo pulsante per recuperare l'ultimo file di dati di data e ora di caricamento dell'utente LotW.</p></body></html> - + Fetch Now Scarica ora - + Age of last upload less than: Periodo dell'ultimo caricamento inferiore a: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>Regola questa casella di selezione per impostare la soglia del periodo dell'ultima data di caricamento dell'utente di LotW accettata come utente corrente di LotW.</p></body></html> - + days giorni - + Advanced Avanzato - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>Parametri selezionabili dall'utente per la decodifica JT65 VHF/UHF/Microonde.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters JT65 Parametri di decodifica VHF/UHF/Microonde - + Random erasure patterns: Schemi di cancellazione casuali: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>Il numero massimo di schemi di cancellazione per il decodificatore stocastico Reed Solomon a decisione morbida è 10^(n/2)</p></body></html> - + Aggressive decoding level: Livello di decodifica aggressivo: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>Livelli più alti aumenteranno la probabilità di decodifica, ma aumenteranno anche la probabilità di una decodifica falsa.</p></body></html> - + Two-pass decoding Decodifica a due passaggi - + Special operating activity: Generation of FT4, FT8, and MSK144 messages Attività operativa speciale: Generazione di messaggi FT4, FT8 e MSK144 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> (Hound=Cane da caccia) <html><head/><body><p>FT8 DXpedition mode: operator Hound chiama il DX.</p></body></html> - + + Hound Hound (Cane da caccia) - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>Contests Nordamericani VHF/UHF/Microonde e altri in cui un localizzatore di griglia a 4 caratteri è lo scambio richiesto.</p></body></html> - + + NA VHF Contest NA VHF Contest - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>Modalità FT8 DXpedition: operatore Fox (DXpedition).</p></body></html> - + + Fox (Fox=Volpe) Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>Contest VHF + Europei che richiedono un rapporto segnale, numero di serie e localizzatore a 6 caratteri.</p></body></html> - + + EU VHF Contest EU VHF Contest - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup e contests simili. Lo scambio è stato USA, provincia Canadese o &quot;DX&quot;</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages Messaggi Roundup RTTY - + + RTTY Roundup exchange + + + + RTTY RU Exch: Scambio RTTY RU: - + NJ NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>Scambio di Field Day ARRL: numero di trasmettitori, classe e sezione ARRL / RAC o&quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day ARRL Field Day - + + Field Day exchange + + + + FD Exch: Scambio FD: - + 6A SNJ 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>Contest Digi-Mode mondiale</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest WW Digi Contest - + Miscellaneous Miscellanea - + Degrade S/N of .wav file: Degrada S/N del file .wav: - - + + For offline sensitivity tests Per test di sensibilità offline - + dB dB - + Receiver bandwidth: Larghezza di banda ricevitore: - + Hz Hz - + Tx delay: Ritardo Tx: - + Minimum delay between assertion of PTT and start of Tx audio. Ritardo minimo tra l'asserzione del PTT e l'avvio dell'audio Tx. - + s ..s - + + Tone spacing Spaziatura dei toni - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>Genera audio Tx con una spaziatura del doppio del tono normale. Destinato a trasmettitori speciali LF / MF che utilizzano un divisore per 2 prima di generare RF.</p></body></html> - + x 2 x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>Genera audio Tx con una spaziatura dei toni quattro volte superiore. Destinato a trasmettitori speciali LF / MF che utilizzano un divisore per 4 prima di generare RF.</p></body></html> - + x 4 x 4 - + + Waterfall spectra Spettro Display a cascata - + Low sidelobes Lobi laterali bassi - + Most sensitive Più sensibile - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>Annulla (Annulla) o applica (OK) le modifiche alla configurazione incluso</p><p>ripristinando l'interfaccia radio e applicando eventuali modifiche alla scheda audio</p></body></html> @@ -6617,12 +6760,12 @@ Fare clic con il tasto destro per inserire ed eliminare le opzioni.Impossibile creare il segmento di memoria condivisa - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_ja.ts b/translations/wsjtx_ja.ts index f92b67d10..6841f88df 100644 --- a/translations/wsjtx_ja.ts +++ b/translations/wsjtx_ja.ts @@ -129,17 +129,17 @@ 天文データ - + Doppler Tracking Error ドップラー追跡エラー - + Split operating is required for Doppler tracking ドップラー追跡にはスプリットオペレーションが必要です - + Go to "Menu->File->Settings->Radio" to enable split operation "メニュー->ファイル->設定->トランシーバー"と進んでスプリットをオンにします @@ -147,32 +147,32 @@ Bands - + Band name バンド名 - + Lower frequency limit 下限周波数 - + Upper frequency limit 上限周波数 - + Band バンド - + Lower Limit 下限 - + Upper Limit 上限 @@ -368,75 +368,75 @@ Configuration::impl - - - + + + &Delete 削除(&D) - - + + &Insert ... 挿入(&I)... - + Failed to create save directory 保存のためのフォルダを作成できません - + path: "%1% パス: "%1% - + Failed to create samples directory サンプルフォルダを作成できません - + path: "%1" パス: "%1" - + &Load ... 読み込み(&L)... - + &Save as ... 名前を付けて保存(&S)... - + &Merge ... 結合(&M)... - + &Reset リセット(&R) - + Serial Port: シリアルポート: - + Serial port used for CAT control CAT制御用シリアルポート - + Network Server: ネットワークサーバ: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -451,12 +451,12 @@ Formats: [IPv6-アドレス]:ポート番号 - + USB Device: USBデバイス: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -467,152 +467,157 @@ Format: [VID[:PID[:VENDOR[:PRODUCT]]]] - + + Invalid audio input device 無効なオーディオ入力デバイス - Invalid audio out device - 無効なオーディオ出力デバイス + 無効なオーディオ出力デバイス - + + Invalid audio output device + + + + Invalid PTT method 無効なPTT方式 - + Invalid PTT port 無効なPTT用ポート - - + + Invalid Contest Exchange 無効なコンテストナンバー - + You must input a valid ARRL Field Day exchange 正しいARRLフィールドデーコンテストナンバーを入力しなければなりません - + You must input a valid ARRL RTTY Roundup exchange 正しいARRL RTTY ラウンドアップのコンテストナンバーを入力しなければなりません - + Reset Decode Highlighting デコードハイライトをリセット - + Reset all decode highlighting and priorities to default values すべてのハイライトと優先順位設定をデフォルトへ戻す - + WSJT-X Decoded Text Font Chooser WSJT-Xのデコード出力用フォント選択 - + Load Working Frequencies 使用周波数を読み込み - - - + + + Frequency files (*.qrg);;All files (*.*) 周波数ファイル (*.qrg);;全ファイル (*.*) - + Replace Working Frequencies 使用周波数を置き換え - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? 本当に現在の周波数を読み込んだ周波数で置き換えてもいいですか? - + Merge Working Frequencies 使用周波数を追加併合 - - - + + + Not a valid frequencies file 正しい周波数ファイルではない - + Incorrect file magic 無効なファイルマジック - + Version is too new バージョンが新しすぎます - + Contents corrupt 中身が壊れています - + Save Working Frequencies 使用周波数を保存 - + Only Save Selected Working Frequencies 選択した使用周波数のみ保存 - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. 選択した使用周波数だけを保存してもいいですか。全部を保存したいときはNoをクリックしてください。 - + Reset Working Frequencies 使用周波数をリセット - + Are you sure you want to discard your current working frequencies and replace them with default ones? 本当に現在の使用周波数を破棄してデフォルト周波数と置き換えてもよいですか? - + Save Directory フォルダーを保存 - + AzEl Directory AzElフォルダー - + Rig control error 無線機コントロールエラー - + Failed to open connection to rig 無線機へ接続できません - + Rig failure 無線機エラー @@ -1437,22 +1442,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency 周波数を追加 - + IARU &Region: IARU地域(&R): - + &Mode: モード(&M): - + &Frequency (MHz): 周波数MHz(&F): @@ -1460,26 +1465,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region IARU地域 - - + + Mode モード - - + + Frequency 周波数 - - + + Frequency (MHz) 周波数(MHz) @@ -2071,12 +2076,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity バンド状況 @@ -2088,11 +2094,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency 受信周波数 @@ -2127,122 +2134,137 @@ Error(%2): %3 モニターオン/オフ - + &Monitor モニター(&M) - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>右側ウィンドウを消去. ダブルクリックで両側ウィンドウを消去.</p></body></html> - + Erase right window. Double-click to erase both windows. 右側ウィンドウを消去. ダブルクリックで両側ウィンドウを消去. - + &Erase 消去(&E) - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>累加メッセージ平均をクリア.</p></body></html> - + Clear the accumulating message average. 累加メッセージ平均をクリア. - + Clear Avg 平均をクリア - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>QSO周波数で最後に受信した信号をデコード</p></body></html> - + Decode most recent Rx period at QSO Frequency QSO周波数で最後に受信した信号をデコード - + &Decode デコード(&D) - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>自動送信をオン/オフ</p></body></html> - + Toggle Auto-Tx On/Off 自動送信をオン/オフ - + E&nable Tx 送信許可(&n) - + Stop transmitting immediately 直ちに送信停止 - + &Halt Tx 送信停止(&H) - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>シングルトーンのオン/オフ</p></body></html> - + Toggle a pure Tx tone On/Off シングルトーンのオン/オフ - + &Tune チューン(&T) - + Menus メニュー - + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency USBダイアル周波数 - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>ノイズのみ受信のとき30dBが適当<br/>緑:適切<br/>赤:過大<br/>黄:過少</p></body></html> - + Rx Signal 受信信号 - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2253,338 +2275,344 @@ Yellow when too low 黄:過少 - + DX Call DXコール - + DX Grid DXグリッド - + Callsign of station to be worked 交信相手コールサイン - + Search for callsign in database データベース内でコールサイン検索 - + &Lookup 検索(&L) - + Locator of station to be worked 交信相手のロケータ - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database データベースへコールサインとロケータを追加 - + Add 追加 - + Pwr 出力 - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>黄色か赤色の場合無線機制御にエラーあり. リセットを押しダイヤル周波数を読み込む. Sはスプリット.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. 黄色か赤色の場合無線機制御にエラーあり. リセットを押しダイヤル周波数を読み込む. Sはスプリット. - + ? ? - + Adjust Tx audio level 送信オーディオレベル調整 - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>バンドを選びMHz単位で周波数を入力するか差分をkHz単位(最後にkをつける)で入力.</p></body></html> - + Frequency entry 周波数入力 - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. バンドを選びMHz単位で周波数を入力するか差分をkHz単位(最後にkをつける)で入力. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>デコードした文をダブルクリックしたときに送信周波数を動かさない.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. デコードした文をダブルクリックしたときに送信周波数を動かさない. - + Hold Tx Freq 送信周波数固定 - + Audio Rx frequency 受信オーディオ周波数 - - - + + + + + Hz Hz - + + Rx Rx - + + Set Tx frequency to Rx Frequency 送信周波数を受信周波数へコピー - + - + Frequency tolerance (Hz) 許容周波数(Hz) - + + F Tol F Tol - + + Set Rx frequency to Tx Frequency 受信周波数を送信周波数へコピー - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>同期信号閾値. 小さい値ほど弱い同期信号を検出.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. 同期信号閾値. 小さい値ほど弱い同期信号を検出. - + Sync 同期 - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>短いメッセージフォーマットを使うときはチェック.</p></body></html> - + Check to use short-format messages. 短いメッセージフォーマットを使うときはチェック. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>JT9高速モードをオン</p></body></html> - + Check to enable JT9 fast modes JT9高速モードをオン - - + + Fast 高速 - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>チェックすることで受信したメッセージに基づき自動的に送信メッセージを生成する.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. 受信メッセージに合わせて送信メッセージ自動生成. - + Auto Seq 自動シーケンス - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>自分のCQに最初に応答してきた局をコール.</p></body></html> - + Check to call the first decoded responder to my CQ. 自分のCQに最初に応答してきた局をコール. - + Call 1st コール 1st - + Check to generate "@1250 (SEND MSGS)" in Tx6. Tx6に "@1250 (SEND MSGS)" を生成. - + Tx6 Tx6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>チェックすると偶数分の0秒から送信開始.チェックを外すと奇数分.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. チェックすると偶数分の0秒から送信開始.チェックを外すと奇数分. - + Tx even/1st Tx even/1st - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>現在の周波数からkHz上でCQをコール</p></body></html> - + Frequency to call CQ on in kHz above the current MHz 現在の周波数からkHz上でCQをコール - + Tx CQ Tx CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>チェックすると &quot;Tx CQ&quot; 周波数でCQをコール. 受信は現在の周波数. 相手局がどの周波数で呼べばよいが分かるようにCQメッセージに現在の受信周波数を含める.</p><p>非標準コールには非対応.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. チェックすると "Tx CQ" 周波数でCQをコール. 受信は現在の周波数. 相手局がどの周波数で呼べばよいが分かるようにCQメッセージに現在の受信周波数を含める. 非標準コールには非対応. - + Rx All Freqs - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>サブモードはトーン間隔を意味する.Aが一番狭い.</p></body></html> - + Submode determines tone spacing; A is narrowest. サブモードはトーン間隔を意味する.Aが一番狭い. - + Submode サブモード - - + + Fox Fox - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Shメッセージをモニターする.</p></body></html> - + Check to monitor Sh messages. Shメッセージをモニターする. - + SWL SWL - + Best S+P Best S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>ここをチェックして較正データを録音開始.<br/>測定中は較正処理は停止します.<br/>チェックをはずすと較正結果を見ることができます.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2593,202 +2621,204 @@ When not checked you can view the calibration results. チェックしないと較正結果を表示. - + Measure 測定 - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>シグナルレポート: 2500Hzバンド幅におけるSN比(dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). シグナルレポート: 2500Hzパスバンド幅におけるSN比(dB). - + Report レポート - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>送信/受信または周波数較正の時間</p></body></html> - + Tx/Rx or Frequency calibration sequence length Tx/Rxまたは周波数較正時間長 - + + s s - + + T/R T/R - + Toggle Tx mode 送信モードをトグル - + Tx JT9 @ - + Audio Tx frequency 送信オーディオ周波数 - - + + Tx Tx - + Tx# Tx# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>ダブルクリックして次のQSOの待ち行列に加える.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. ダブルクリックで次のQSOで呼ぶ相手を待ち行列に追加. - + Next Call 次のコール - + 1 1 - - - + + + Send this message in next Tx interval このメッセージを次回送信する - + Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>このメッセージを次回送信する</p><p>ダブルクリックしてTx1メッセージとしてQSOを開始のオンオフ(タイプ1複合コールサインでは使えません)</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) >このメッセージを次回送信する. ダブルクリックしてTx1メッセージとしてQSOを開始のオンオフ(タイプ1複合コールサインでは使えません) - + Ctrl+1 - - - - + + + + Switch to this Tx message NOW このメッセージを送信 - + Tx &2 - + Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>このメッセージをすぐに送信</p><p>ダブルクリックすることでTx1メッセージを使うかどうか選択(タイプ1複合コールサインには使えません)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) このメッセージをすぐに送信. ダブルクリックすることでTx1メッセージを使うかどうか選択(タイプ1複合コールサインには使えません) - + Tx &1 - + Alt+1 - + Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>このメッセージを次回送信</p><p>ダブルクリックして標準73メッセージにリセット</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message このメッセージを次回送信 ダブルクリックして標準73メッセージにリセット - + Ctrl+5 - + Ctrl+3 - + Tx &3 - + Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>このメッセージを次回送信</p><p>ダブルクリックするとTx4でRRRかRR73を送るかを切り替え(タイプ2複合コールサインでは使えません)</p><p>RR73 メッセージは、相手が確実にコピーしたと考えられるときに使ってください</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2797,17 +2827,17 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 メッセージは、相手が確実にコピーしたと考えられるときに使ってください - + Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>この送信メッセージをすぐに送信</p><p>ダブルクリックしてTx4のRRRとRR73を交互切り替え(タイプ2の複合コールサインでは使えません)</p><p>RR73は、双方ともメッセージを確認し、繰り返しが必要ないと考えうるときにのみ使いましょう</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2816,64 +2846,63 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 メッセージは、相手が確実にコピーしたと考えられるときに使ってください - + Tx &4 - + Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>このメッセージをすぐに送信</p><p>ダブルクリックして標準73メッセージにリセット</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message このメッセージをすぐに送信. ダブルクリックして標準73メッセージにリセット - + Tx &5 - + Alt+5 - + Now 送信 - + Generate standard messages for minimal QSO 最短QSO用メッセージを生成 - + Generate Std Msgs 標準メッセージ生成 - + Tx &6 - + Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2884,1071 +2913,1068 @@ ENTERを押してテキストを登録リストに追加. リストは設定(F2)で変更可能. - + Queue up the next Tx message 次の送信メッセージを待ち行列に追加 - + Next - + 2 - + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + + + + FST4W + + + Calling CQ - CQをコール + CQをコール - Generate a CQ message - CQメッセージ生成 + CQメッセージ生成 - - - + + CQ - Generate message with RRR - RRRメッセージを生成 + RRRメッセージを生成 - - RRR - - - - Generate message with report - レポートメッセージを生成 + レポートメッセージを生成 - - dB - - - - Answering CQ - CQに応答 + CQに応答 - Generate message for replying to a CQ - CQに応答するメッセージを生成 + CQに応答するメッセージを生成 - - + Grid グリッド - Generate message with R+report - R+レポートメッセージ生成 + R+レポートメッセージ生成 - - R+dB - - - - Generate message with 73 - 73メッセージ生成 + 73メッセージ生成 - - 73 - - - - Send this standard (generated) message - この生成された標準メッセージを送信 + この生成された標準メッセージを送信 - Gen msg - メッセージ生成 + メッセージ生成 - Send this free-text message (max 13 characters) - フリーテキストを送信(最大13文字) + フリーテキストを送信(最大13文字) - Free msg - フリーテキスト + フリーテキスト - - 3 - - - - + Max dB 最大dB - + CQ AF - + CQ AN - + CQ AS - + CQ EU - + CQ NA - + CQ OC - + CQ SA - + CQ 0 - + CQ 1 - + CQ 2 - + CQ 3 - + CQ 4 - + CQ 5 - + CQ 6 - + CQ 7 - + CQ 8 - + CQ 9 - + Reset リセット - + N List リスト数 - + N Slots スロット数 - - + + + + + + + Random ランダム - + Call - + S/N (dB) - + Distance 距離 - + More CQs これは何?チェックすると5回の送信に1回CQを出す - Percentage of 2-minute sequences devoted to transmitting. - 2分の送信に費やすパーセンテージ. + 2分の送信に費やすパーセンテージ. - + + % % - + Tx Pct Tx Pct - + Band Hopping バンドホッピング - + Choose bands and times of day for band-hopping. バンドホッピングためのバンドと時間を選択. - + Schedule ... スケジュール .... + 1/2 - 1/2 + 1/2 + 2/2 - 2/2 + 2/2 + 1/3 - 1/3 + 1/3 + 2/3 - 2/3 + 2/3 + 3/3 - 3/3 + 3/3 + 1/4 - 1/4 + 1/4 + 2/4 - 2/4 + 2/4 + 3/4 - 3/4 + 3/4 + 4/4 - 4/4 + 4/4 + 1/5 - 1/5 + 1/5 + 2/5 - 2/5 + 2/5 + 3/5 - 3/5 + 3/5 + 4/5 - 4/5 + 4/5 + 5/5 - 5/5 + 5/5 + 1/6 - 1/6 + 1/6 + 2/6 - 2/6 + 2/6 + 3/6 - 3/6 + 3/6 + 4/6 - 4/6 + 4/6 + 5/6 - 5/6 + 5/6 + 6/6 - 6/6 + 6/6 - + Upload decoded messages to WSPRnet.org. デコードしたメッセージをWSPRnet.orgへアップロード. - + Upload spots スポットをアップロード - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>6桁のグリッドロケーターは2回のメッセージで送られます, 2回目のメッセージで6桁全部送られますが、コールサインはハッシュになります, 相手局は1回目であなたのコールサインをコピーしていなければなりません.. このオプションをチェックすると4桁のグリッドロケーターしか送らず、6桁のグリッドロケーターを送るための2回のメッセージ送信は行いません.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. 6桁のグリッドロケーターは2回のメッセージで送られます, 2回目のメッセージで6桁全部送られますが、コールサインはハッシュになります, 相手局は1回目であなたのコールサインをコピーしていなければなりません.. このオプションをチェックすると4桁のグリッドロケーターしか送らず、6桁のグリッドロケーターを送るための2回のメッセージ送信は行いません. - Prefer type 1 messages - タイプ1メッセージを使う + タイプ1メッセージを使う - + No own call decodes 自分のコールサインをデコードしない - Transmit during the next 2-minute sequence. - 次の2分送信シーケンスの間に送信. + 次の2分送信シーケンスの間に送信. - + Tx Next 次のTx - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. dBm単位の送信出力をWSPRメッセージに入れる. - + + NB + + + + File ファイル - + View 表示 - + Decode デコード - + Save 保存 - + Help ヘルプ - + Mode モード - + Configurations コンフィグレーション - + Tools ツール - + Exit 終了 - Configuration - コンフィグレーション + コンフィグレーション - - F2 - - - - + About WSJT-X WSJT-Xについて - + Waterfall ウォーターフォール - + Open 開く - + Ctrl+O - + Open next in directory ディレクトリ中の次のファイルを開く - + Decode remaining files in directory ディレクトリ中の残りのファイルをデコード - + Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir SaveDirのすべての*.wavと*.c2ファイルを削除 - + None 無し - + Save all すべて保存 - + Online User Guide オンラインユーザーガイド - + Keyboard shortcuts キーボードショートカット - + Special mouse commands 特別なマウス操作 - + JT9 - + Save decoded デコードしたメッセージを保存 - + Normal 標準 - + Deep ディープ - Monitor OFF at startup - 起動時モニターオフ + 起動時モニターオフ - + Erase ALL.TXT ALL.TXTを消去 - + Erase wsjtx_log.adi wsjtx_log.adiを消去 - Convert mode to RTTY for logging - ログのためモードをRTTYに変換 + ログのためモードをRTTYに変換 - Log dB reports to Comments - dBレポートをコメントに記録 + dBレポートをコメントに記録 - Prompt me to log QSO - QSOをログするとき知らせる + QSOをログするとき知らせる - Blank line between decoding periods - デコードタイミング間に空白行を入れる + デコードタイミング間に空白行を入れる - Clear DX Call and Grid after logging - ログした後、DXコールサインとグリッドをクリア + ログした後、DXコールサインとグリッドをクリア - Display distance in miles - 距離をマイルで表示 + 距離をマイルで表示 - Double-click on call sets Tx Enable - コールサインをダブルクリックして送信オン + コールサインをダブルクリックして送信オン - - + F7 - Tx disabled after sending 73 - 73を送った後送信禁止 + 73を送った後送信禁止 - - + Runaway Tx watchdog Txウオッチドッグ発令 - Allow multiple instances - 複数のインスタンス起動許可 + 複数のインスタンス起動許可 - Tx freq locked to Rx freq - 送信周波数を受信周波数にロック + 送信周波数を受信周波数にロック - + JT65 - + JT9+JT65 - Tx messages to Rx Frequency window - 送信メッセージを受信周波数ウィンドウへ + 送信メッセージを受信周波数ウィンドウへ - - Gray1 - - - - Show DXCC entity and worked B4 status - DXCCエンティティと交信済みステータスを表示 + DXCCエンティティと交信済みステータスを表示 - + Astronomical data 天文データ - + List of Type 1 prefixes and suffixes タイプ1プリフィックス、サフィックスのリスト - + Settings... 設定... - + Local User Guide 各国版ユーザーガイド - + Open log directory ログディレクトリを開く - + JT4 - + Message averaging メッセージ平均化 - + Enable averaging 平均化オン - + Enable deep search ディープサーチをオン - + WSPR WSPR - + Echo Graph エコーグラフ - + F8 - + Echo Echo - + EME Echo mode EMEエコーモード - + ISCAT - + Fast Graph 高速グラフ - + F9 - + &Download Samples ... サンプルをダウンロード(&D)... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>いろいろなモードのオーディオファイルをダウンロード.</p></body></html> - + MSK144 - + QRA64 - + Release Notes リリースノート - + Enable AP for DX Call DXコールのAPをオン - + FreqCal - + Measure reference spectrum 参照スペクトラムを測定 - + Measure phase response 位相応答を測定 - + Erase reference spectrum 参照スペクトラムを消去 - + Execute frequency calibration cycle 周波数較正実行 - + Equalization tools ... イコライザー... - WSPR-LF - WSPR-LF + WSPR-LF - Experimental LF/MF mode - 実験的LF/MFモード + 実験的LF/MFモード - + FT8 - - + + Enable AP AP使用 - + Solve for calibration parameters 較正パラメータ計算 - + Copyright notice 著作権表示 - + Shift+F1 - + Fox log Foxログ - + FT8 DXpedition Mode User Guide FT8 DXペディションモードユーザーガイド - + Reset Cabrillo log ... Cabrilloログをリセット... - + Color highlighting scheme ハイライト設定 - Contest Log - コンテストログ + コンテストログ - + Export Cabrillo log ... Cabrilloログをエクスポート... - Quick-Start Guide to WSJT-X 2.0 - WSJT-X 2.0クイックスタートガイド + WSJT-X 2.0クイックスタートガイド - + Contest log コンテストログ - + Erase WSPR hashtable WSPRハッシュテーブルを消去 - + FT4 - + Rig Control Error 無線機制御エラー - - - + + + Receiving 受信中 - + Do you want to reconfigure the radio interface? 無線機インターフェイスを再構成しますか? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log ADIFログスキャンエラー - + Scanned ADIF log, %1 worked before records created ADIFログ検索. %1交信済み記録作成しました - + Error Loading LotW Users Data LotWユーザデータをロードできません - + Error Writing WAV File WAVファイルを書き込みできません - + Configurations... コンフィグレーション... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message メッセージ - + Error Killing jt9.exe Process jt9.exeプロセスを終了できません - + KillByName return code: %1 KillByNameリターンコード: %1 - + Error removing "%1" "%1"を削除できません - + Click OK to retry OKを押して再試行 - - + + Improper mode 不適切なモード - - + + File Open Error ファイルオープンエラー - - - - - + + + + + Cannot open "%1" for append: %2 "%2"を追加する"%1"が開けません - + Error saving c2 file c2ファイルを保存できません - + Error in Sound Input サウンド入力にエラー発生 - + Error in Sound Output サウンド出力にエラー発生 - - - + + + Single-Period Decodes シングルパスデコード - - - + + + Average Decodes 平均デコード - + Change Operator オペレータ交代 - + New operator: 新オペレータ: - + Status File Error ステータスファイルエラー - - + + Cannot open "%1" for writing: %2 %2を書き込むための"%1"が開けません - + Subprocess Error サブプロセスエラー - + Subprocess failed with exit code %1 サブプロセスエラー 終了コード %1 - - + + Running: %1 %2 実行中: %1 %2 - + Subprocess error サブプロセスエラー - + Reference spectrum saved 参照用スペクトラムを保存しました - + Invalid data in fmt.all at line %1 fmt.allの%1行目に無効なデータ - + Good Calibration Solution 較正良好 - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3957,44 +3983,44 @@ ENTERを押してテキストを登録リストに追加. - + Delete Calibration Measurements 較正の測定結果を削除 - + The "fmt.all" file will be renamed as "fmt.bak" "fmt.all"は"fmt.bak"に名前が変わります - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." - + No data read from disk. Wrong file format? ディスクからデータが読めません.フォーマットが合っていますか? - + Confirm Delete 削除確認 - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? "%1"のすべての*.wavと*.c2ファイルを削除していいですか? - + Keyboard Shortcuts キーボードショートカット - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -4044,12 +4070,12 @@ ENTERを押してテキストを登録リストに追加. - + Special Mouse Commands 特別なマウス操作 - + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -4060,7 +4086,7 @@ ENTERを押してテキストを登録リストに追加. <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -4068,10 +4094,10 @@ ENTERを押してテキストを登録リストに追加. <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4085,42 +4111,42 @@ ENTERを押してテキストを登録リストに追加. - + No more files to open. これ以上開くファイルがありません. - + Spotting to PSK Reporter unavailable - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. 他の送信周波数を使ってください. WSJT-Xは30mバンドのWSPRサブバンド中の他のモードを受信せずに送信してしまいます. - + WSPR Guard Band WSPRガードバンド - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. 他のダイヤル周波数を使ってください. WSJT-XはFT8の標準サブバンドでFoxモードを使えません。 - + Fox Mode warning Foxモード警告 - + Last Tx: %1 最終送信: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4130,183 +4156,182 @@ To do so, check 'Special operating activity' and 設定|詳細タブで設定変更してください. - + Should you switch to ARRL Field Day mode? ARRLフィールドデーモードに切り替えますか? - + Should you switch to RTTY contest mode? RTTYコンテストモードに切り替えますか? - - - - + + + + Add to CALL3.TXT CALL3.TXTへ追加 - + Please enter a valid grid locator 有効なグリッドロケータを入力してください - + Cannot open "%1" for read/write: %2 %2を読み書きするための"%1"が開けません - + %1 is already in CALL3.TXT, do you wish to replace it? %1 がすでにCALL3.TXTにセットされています。置き換えますか? - + Warning: DX Call field is empty. 警告 DXコールが空白です. - + Log file error ログファイルエラー - + Cannot open "%1" "%1"を開けません - + Error sending log to N1MM N1MMへログを送れません - + Write returned "%1" 応答"%1"を書き込み - + Stations calling DXpedition %1 DXペディション %1を呼ぶ局 - + Hound Hound - + Tx Messages 送信メッセージ - - - + + + Confirm Erase 消去確認 - + Are you sure you want to erase file ALL.TXT? ALL.TXTファイルを消去してよいですか? - - + + Confirm Reset リセット確認 - + Are you sure you want to erase your contest log? コンテストログを消去していいですか? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. 現在のコンテストのQSO記録をすべて消去します。ADIFログには記録されますがCabrilloログにエクスポートすることはできません. - + Cabrillo Log saved Cabrilloログ保存しました - + Are you sure you want to erase file wsjtx_log.adi? wsjtx_log.adiを消してもよいですか? - + Are you sure you want to erase the WSPR hashtable? WSPRのハッシュテーブルを消してもよいですか? - VHF features warning - VHF機能警告 + VHF機能警告 - + Tune digital gain チューンのデジタルゲイン - + Transmit digital gain 送信デジタルゲイン - + Prefixes プリフィックス - + Network Error ネットワークエラー - + Error: %1 UDP server %2:%3 エラー %1 UDPサーバー %2:%3 - + File Error ファイルエラー - + Phase Training Disabled 位相調整オフ - + Phase Training Enabled 位相調整オン - + WD:%1m WD:%1m - - + + Log File Error ログファイルエラー - + Are you sure you want to clear the QSO queues? QSO待ち行列をクリアしてもいいですか? @@ -4328,8 +4353,8 @@ UDPサーバー %2:%3 Modes - - + + Mode モード @@ -4486,7 +4511,7 @@ UDPサーバー %2:%3 LotW CSVファイル '%1'が開けません - + OOB @@ -4673,7 +4698,7 @@ Error(%2): %3 回復不能エラー. 現在オーディオ入力デバイスが使えません. - + Requested input audio format is not valid. このオーディオフォーマットは無効です. @@ -4683,37 +4708,37 @@ Error(%2): %3 このオーディオ入力フォーマットはオーディオ入力デバイスでサポートされていません. - + Failed to initialize audio sink device オーディオ出力デバイス初期化エラー - + Idle 待機中 - + Receiving 受信中 - + Suspended サスペンド中 - + Interrupted 割り込まれました - + Error エラー - + Stopped 停止中 @@ -4721,62 +4746,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. オーディオ出力デバイスが開けません. - + An error occurred during write to the audio output device. オーディオ出力デバイスへデータ書き込みエラー発生. - + Audio data not being fed to the audio output device fast enough. 十分な速度でオーディオデータを出力デバイスへ送れません. - + Non-recoverable error, audio output device not usable at this time. 回復不能エラー. 現在オーディオ出力デバイスが使えません. - + Requested output audio format is not valid. このオーディオフォーマットは無効です. - + Requested output audio format is not supported on device. このオーディオフォーマットはオーディオ出力デバイスでサポートされていません. - + + No audio output device configured. + + + + Idle 待機中 - + Sending 送信中 - + Suspended サスペンド中 - + Interrupted 割り込まれました - + Error エラー - + Stopped 停止中 @@ -4784,22 +4814,22 @@ Error(%2): %3 StationDialog - + Add Station 局を追加 - + &Band: バンド(&B): - + &Offset (MHz): オフセットMHz(&O): - + &Antenna: アンテナ(&A): @@ -4988,19 +5018,23 @@ Error(%2): %3 <html><head/><body><p>Decode JT9 only above this frequency</p></body></html> <html><head/><body><p>この周波数より上でのみJT9をデコード</p></body></html> - - Hz - Hz - - JT9 - JT9 + Hz + Hz + Split + + + + JT9 + JT9 + + JT65 - JT65 + JT65 @@ -5034,6 +5068,29 @@ Error(%2): %3 パレット読み込み + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5232,9 +5289,8 @@ Error(%2): %3 - Enable VHF/UHF/Microwave features - VHF/UHF/Microwave機能をオン + VHF/UHF/Microwave機能をオン @@ -5350,7 +5406,7 @@ quiet period when decoding is done. - + Port: ポート: @@ -5361,137 +5417,149 @@ quiet period when decoding is done. + Serial Port Parameters シリアルポートパラメーター - + Baud Rate: ボーレート: - + Serial port data rate which must match the setting of your radio. シリアルポートの速度(無線機と同じでなければなりません). - + 1200 - + 2400 - + 4800 - + 9600 - + 19200 - + 38400 - + 57600 - + 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>CATインターフェイスのデータビット数(大抵はビット).</p></body></html> - + + Data bits + + + + Data Bits データビット - + D&efault デフォルト(&e) - + Se&ven - + E&ight - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>CATインターフェイスのストップビット数</p><p>(詳細は取扱説明書を参照のこと).</p></body></html> - + + Stop bits + + + + Stop Bits ストップビット - - + + Default デフォルト - + On&e - + T&wo - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>無線機のCATインターフェイスに使われるフロー制御(通常 &quot;None&quot; たまに &quot;Hardware&quot;).</p></body></html> - + + Handshake ハンドシェイク - + &None なし(&N) - + Software flow control (very rare on CAT interfaces). ソフトウェアによるフロー制御(CATではほとんど使われません). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5500,74 +5568,75 @@ a few, particularly some Kenwood rigs, require it). またKenwoodのいくつかの無線機では必須です. - + &Hardware ハードウェア(&H) - + Special control of CAT port control lines. CAT用ポートの特別な設定. - + + Force Control Lines 制御信号を強制設定 - - + + High - - + + Low - + DTR: - + RTS: - + How this program activates the PTT on your radio? このプログラムがどのようにして無線機のPTTを制御するか? - + PTT Method PTT方式 - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>無線機のVOXで送受信を切り替える.</p><p>無線機インターフェイスハードウェアが無いとき使用.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>RS-232CのDTR信号をPTT制御に使う.</p><p>市販のCATインターフェイスのうち、いくつかはこの方法を使っています.</p><p>CATシリアルポートのDTRを使うか、または、別のポートのDTRを使うこともあります.</p></body></html> - + &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5576,47 +5645,47 @@ other hardware interface for PTT. 他のハードウェアインターフェイスが必要なくなります. - + C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>RS-232CのRTS信号をPTT制御に使います.</p><p>市販のCATインターフェイスのうち、いくつかはこの方法を使っています.</p><p>CATシリアルポートのRTSを使う、または、別のポートのRTSを使うこともあります. CATポートのハードウェアフロー制御を使う場合、このオプションは使えないことに注意してください.</p></body></html> - + R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>PTT制御に使うシリアルポートを選択. このオプションはDTRまたはRTSでPTTを制御する場合に有効となります.</p><p>CAT制御のシリアルポートと同じポートでも構いません.</p><p>いくつかの特殊なインターフェイスでは特別なCATを選択します。そればリモートコントロールに使われたりします(例:OmniRig).</p></body></html> - + Modulation mode selected on radio. 無線機の変調モード. - + Mode モード - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>通常はUSBを使います</p><p>(無線機がデータやパケットモードを持っている場合以外).</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5625,23 +5694,23 @@ or bandwidth is selected). セットされているときは使います). - - + + None 指定なし - + If this is available then it is usually the correct mode for this program. これが使えるときは正しいモード. - + Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5650,52 +5719,52 @@ this setting allows you to select which audio input will be used 後ろのコネクタかデータ端子を使うことをお勧めします. - + Transmit Audio Source 送信オーディオ入力端子 - + Rear&/Data 後面/データ端子(&/) - + &Front/Mic 前面/マイク端子(&F) - + Rig: 無線機: - + Poll Interval: ポーリング間隔: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>無線機の状態を見に行く時間間隔. 長めに設定すると、無線機の状態がプログラムに反映されるのに長くかかります.</p></body></html> - + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>これらの設定を使って無線機接続を試みます.</p><p>接続が確立されればボタンは緑に、失敗すれば赤になります.</p></body></html> - + Test CAT CATをテスト - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5708,47 +5777,47 @@ radio interface behave as expected. インターフェイスが正しくどうさするかどうかチェックしてください. - + Test PTT PTTテスト - + Split Operation スプリット - + Fake It 擬似スプリット - + Rig 無線機 - + A&udio オーディオ(&u) - + Audio interface settings オーディオインターフェース設定 - + Souncard サウンドカード - + Soundcard サウンドカード - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5760,46 +5829,51 @@ transmitting periods. さもないと、システム音が送信されてしまいます. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. 受信用オーディオコーデックを選択. - + &Input: 入力(&I): - + Select the channel to use for receiving. 受信用チャンネルを選択. - - + + Mono モノラル - - + + Left - - + + Right - - + + Both 両方 - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5809,110 +5883,115 @@ both here. モノラルまたはステレオをここで選びます. - + + Enable VHF and submode features + + + + Ou&tput: 出力(&t): - - + + Save Directory ディレクトリ保存 - + Loc&ation: 場所(&a): - + Path to which .WAV files are saved. .WAVファイルを保存するパス. - - + + TextLabel テキストラベル - + Click to select a different save directory for .WAV files. ここをクリックして .WAVファイルを保存する別のディレクトリを選択. - + S&elect 選択(&e) - - + + AzEl Directory AzElディレクトリ - + Location: 場所: - + Select 選択 - + Power Memory By Band バンドごとの出力 - + Remember power settings by band バンドごとに出力設定 - + Enable power memory during transmit 送信中に出力メモリを可能とする - + Transmit 送信 - + Enable power memory during tuning チューニング中に出力メモリを可能とする - + Tune チューン - + Tx &Macros Txマクロ(&M) - + Canned free text messages setup フリーテキストメッセージ設定 - + &Add 追加(&A) - + &Delete 削除(&D) - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5921,37 +6000,37 @@ Click, SHIFT+Click and, CRTL+Click to select items SHIFT+クリック、CTRL+クリックで複数選択できます - + Reportin&g レポート(&g) - + Reporting and logging settings レポートとログの設定 - + Logging ログ - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. 73またはフリーテキストメッセージを送った後でQSOをログするかどうかたずねるダイアログがポップアップします. - + Promp&t me to log QSO QSOをログするよう促すメッセージを出す(&t) - + Op Call: オペレータコール: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5962,54 +6041,54 @@ comments field. コメントに付加します. - + d&B reports to comments dBレポートをコメントに追加(&B) - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. このオプションをオンにすると73またはフリーテキスト メッセージを送った後、DXコールとDXグリッドをクリアします. - + Clear &DX call and grid after logging ログした後DXコールとDXグリッドをクリアする(&D) - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>いくつかのログプログラムはWSJT-Xのモード名を受け付けません.</p></body></html> - + Con&vert mode to RTTY モードをRTTYに変換(&v) - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>もしオペレータのコールサインが局のコールサインと違う場合、ここに指定.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>ここをチェックするとQSOが終了次第自動的にログに追加.されます.</p></body></html> - + Log automatically (contesting only) 自動ログ記録(コンテストのみ) - + Network Services ネットワークサービス - + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> @@ -6024,507 +6103,543 @@ for assessing propagation and system performance. リバースビーコンに使用されます. - + Enable &PSK Reporter Spotting PSK Reporterによるスポットをオン(&P) - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + UDP Server UDPサーバー - + UDP Server: UDPサーバー: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>ネットワークサービスのホスト名指定オプション.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">ホスト名</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 アドレス</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 アドレス</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 マルチキャストグループアドレス</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 マルチキャストグループアドレス</li></ul><p>空白の場合は、UDPブロードキャストがオフ.</p></body></html> - + UDP Server port number: UDPサーバーのポート番号: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>WSJT-Xがデータを送る先のUDPポート番号. ゼロの場合はデータを送りません.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>オンにすると、WSJT-XはUDPサーバーからのデータを受け付けます.</p></body></html> - + Accept UDP requests UDP要求を受け付ける - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>UDPリクエストを受け付けたことを表示. OSやウィンドウマネージャによって振る舞いが変わります. アプリウィンドウが最小化されていたり隠れていたりしていてもUDPリクエストが送られてきたことを知るために使うことができます.</p></body></html> - + Notify on accepted UDP request UDPリクエストが来たとき知らせる - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>UDPリクエストが来たとき、ウィンドウを最小化から元の大きさへ戻します.</p></body></html> - + Accepted UDP request restores window ウィンドウを元に戻すUDPリクエストを受け付ける - + Secondary UDP Server (deprecated) 第二UDPサーバー(使わないことを推奨) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>ここをチェックすると、WSJT-XはADIFフォーマットのログ情報を指定のホストの指定のポートへブロードキャストします. </p></body></html> - + Enable logged contact ADIF broadcast ADIFログ情報をブロードキャスト - + Server name or IP address: サーバー名またはIPアドレス: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>ADIF UDP ブロードキャストを受けるN1MM Logger+のホスト名. 通常は 'localhost' または ip アドレス 127.0.0.1</p><p>フォーマット:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">ホスト名</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 マルチキャストグループアドレス</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 マルチキャストグループアドレス</li></ul><p>空白にすることで、UDP経由のADIF情報ブロードキャストを停止.</p></body></html> - + Server port number: サーバーのポート番号: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>WSJT-XがADIF情報をブロードキャストする先のUDPポート番号. N1MM Logger+のときは2333. ゼロの場合はブロードキャスト停止.</p></body></html> - + Frequencies 周波数 - + Default frequencies and band specific station details setup デフォルト周波数及びバンドごとの局情報設定 - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>あなたの無線機に合わせたパラメータ設定の詳細については、WSJT-Xユーザーガイドの &quot;Frequency Calibration&quot; セクションを参照のこと.</p></body></html> - + Frequency Calibration 周波数較正 - + Slope: スロープ: - + ppm - + Intercept: インターセプト: - + Hz - + Working Frequencies 運用周波数 - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>右クリックで周波数リストの管理.</p></body></html> - + Station Information 局情報 - + Items may be edited. Right click for insert and delete options. 項目は編集できます. 右クリックで挿入や削除が選べます. - + Colors - + Decode Highlightling デコードハイライト - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> クリックすることでADIFファイル(wsjtx_log.adi)を読み直し、交信済みの情報を得る - + Rescan ADIF Log ADIFログを再読み込み - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>ここから上すべてのハイライト項目のデフォルト値と優先度をリセットする.</p></body></html> - + Reset Highlighting ハイライトをリセット - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>チェックボックスでオンオフを切り替え、右クリックで項目を編集、文字色、背景色を指定、あるいはデフォルト値へリセット. ドラッグアンドドロップで項目の優先順位を変更、リストの上にいくほど優先度高.</p><p>文字色と背景色はそれぞれ指定または解除が選択可能. 解除とはその項目では色指定されないが、より低い優先度の項目で指定されるかもしれないという意味.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>チェックするとモードごとに新DXCCエンティティ、新グリッドスクエア、新コールサインを表示します.</p></body></html> - + Highlight by Mode モードハイライト - + Include extra WAE entities WAEの特別エンティティを含む - + Check to for grid highlighting to only apply to unworked grid fields チェックするとグリッドハイライトは未交信グリッドのみに適用 - + Only grid Fields sought グリッドのみ検索 - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>LotWユーザー参照設定.</p></body></html> - + Logbook of the World User Validation LotWユーザー確認 - + Users CSV file URL: ユーザーのCSVファイルURL: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>ARRL LotWのURL. QSO相手がLotWを使っているかどうかを判定しハイライトするために、相手がいつログデータをLotWへアップロードしたか調べます.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>このボタンを押すとQSO相手が最近いつLotWへログをアップロードしたかという情報を取得します.</p></body></html> - + Fetch Now データ取り込み - + Age of last upload less than: 最終アップロード日がこの日数以内: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>このスピンボックスを使ってLotWユーザが過去何日以内にLotWへログをアップデートしたらLotWを現在も使っていると判断するか指定します.</p></body></html> - + days - + Advanced 詳細 - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>JT65 VHF/UHF/Microwaveデコードのユーザパラメータ設定.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters JT65 VHF/UHF/Microwave デコードパラメータ - + Random erasure patterns: ランダム消去パターン: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>確率的判定の最大ランダム消去パターン数 Reed Solomon デコーダーは 10^(n/2).</p></body></html> - + Aggressive decoding level: デコードレベル: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>大きな値にするとデコードする確率は高まりますが、同時に誤ったデータを出力する可能性も高まります.</p></body></html> - + Two-pass decoding 2パスデコード - + Special operating activity: Generation of FT4, FT8, and MSK144 messages 特別な運用 FT4, FT8, MSK144用のメッセージ生成 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>FT8 DXペディションモード: DXを呼ぶHound オペレータ</p></body></html> - + + Hound - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>北アメリカ VHF/UHF/Microwave コンテストなど、コンテストナンバーとして4桁のグリッドロケーター使う場合.</p></body></html> - + + NA VHF Contest NA VHFコンテスト - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>FT8 DXペディションモード: Fox (DXペディションのオペレータ).</p></body></html> - + + Fox - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>European VHF+ コンテスト, コンテストナンバーとしてシグナルレポート、シリアルナンバー、6桁のロケータを交換する場合.</p></body></html> - + + EU VHF Contest EU VHFコンテスト - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY ラウンドアップなどのコンテスト. コンテストナンバーはアメリカ州、カナダ州、または &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages RTTYラウンドアップメッセージ - + + RTTY Roundup exchange + + + + RTTY RU Exch: - + NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL フィールドデーのコンテストナンバー、送信機, クラス, ARRL/RAC セクション または &quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day ARRLフィールドデー - + + Field Day exchange + + + + FD Exch: FD ナンバー: - + 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>World-Wide デジモードコンテスト</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest WWデジタルコンテスト - + Miscellaneous その他 - + Degrade S/N of .wav file: wavファイルのSN比を落とす: - - + + For offline sensitivity tests オフライン感度テスト用 - + dB dB - + Receiver bandwidth: 受信バンド幅: - + Hz Hz - + Tx delay: 送信遅延: - + Minimum delay between assertion of PTT and start of Tx audio. PTTをオンにしてからオーディオ信号を発生するまでの最小時間. - + s - + + Tone spacing トーン間隔 - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>通常の2倍のトーン間隔を持った信号を送信. 電波を出す際に周波数を2分の1にする特別なLF/MF送信機用.</p></body></html> - + x 2 x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>通常の4倍のトーン間隔を持った信号を送信. 電波を出す際に周波数を4分の1にする特別なLF/MF送信機用.</p></body></html> - + x 4 x 4 - + + Waterfall spectra ウォーターフォールスペクトラム - + Low sidelobes サイドローブ表示控え目 - + Most sensitive 最大感度 - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>コンフィグレーション変更の破棄 (キャンセル) または 適用 (OK)</p><p>無線機インターフェイスのリセットとサウンドカードの変更を含む</p></body></html> @@ -6631,12 +6746,12 @@ Right click for insert and delete options. 共有メモリセグメントが作成できません - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_zh.ts b/translations/wsjtx_zh.ts index 1744307d2..3d5b8dd6f 100644 --- a/translations/wsjtx_zh.ts +++ b/translations/wsjtx_zh.ts @@ -129,17 +129,17 @@ 天文数据 - + Doppler Tracking Error 多普勒跟踪错误 - + Split operating is required for Doppler tracking 多普勒跟踪需要异频操作 - + Go to "Menu->File->Settings->Radio" to enable split operation 转到 "菜单->档案->设置->无线电设备" 启用异频操作 @@ -147,32 +147,32 @@ Bands - + Band name 波段名称 - + Lower frequency limit 频率下限 - + Upper frequency limit 频率上限 - + Band 波段 - + Lower Limit 下限 - + Upper Limit 上限 @@ -368,75 +368,75 @@ Configuration::impl - - - + + + &Delete 删除(&D) - - + + &Insert ... 插入(&I) ... - + Failed to create save directory 无法创建保存目录 - + path: "%1% 目錄: "%1% - + Failed to create samples directory 无法创建示例目录 - + path: "%1" 目录: "%1" - + &Load ... 加载(&L) ... - + &Save as ... 另存为(&S) ... - + &Merge ... 合并(&M) ... - + &Reset 重置(&R) - + Serial Port: 串行端口: - + Serial port used for CAT control 用于CAT控制的串行端口 - + Network Server: 网络服务器: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -451,12 +451,12 @@ Formats: [IPv6-地址]:端口 - + USB Device: USB 设备: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -467,152 +467,157 @@ Format: [VID[:PID[:供应商[:产品]]]] - + + Invalid audio input device 无效的音频输入设备 - Invalid audio out device - 无效的音频输出设备 + 无效的音频输出设备 - + + Invalid audio output device + + + + Invalid PTT method 无效的PTT方法 - + Invalid PTT port 无效的PTT端口 - - + + Invalid Contest Exchange 无效的竞赛交换数据 - + You must input a valid ARRL Field Day exchange 您必须输入有效的 ARRL Field Day交换数据 - + You must input a valid ARRL RTTY Roundup exchange 您必须输入有效的 ARRL RTTY Roundup 交换数据 - + Reset Decode Highlighting 重置解码突出显示 - + Reset all decode highlighting and priorities to default values 将所有解码突出显示和优先级重置为默认值 - + WSJT-X Decoded Text Font Chooser WSJT-X 解码文本字体选择 - + Load Working Frequencies 载入工作频率 - - - + + + Frequency files (*.qrg);;All files (*.*) 频率文件 (*.qrg);;所有文件 (*.*) - + Replace Working Frequencies 替换工作频率 - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? 是否确实要放弃当前工作频率, 并将其替换为加载的频率? - + Merge Working Frequencies 合并工作频率 - - - + + + Not a valid frequencies file 不是有效的频率文件 - + Incorrect file magic 不正确的文件內容 - + Version is too new 版本太新 - + Contents corrupt 内容已损坏 - + Save Working Frequencies 保存工作频率 - + Only Save Selected Working Frequencies 仅保存选定的工作频率 - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. 是否确实要仅保存当前选择的工作频率? 单击 否 可保存所有. - + Reset Working Frequencies 重置工作频率 - + Are you sure you want to discard your current working frequencies and replace them with default ones? 您确定要放弃您当前的工作频率并用默认值频率替换它们吗? - + Save Directory 保存目录 - + AzEl Directory AzEl 目录 - + Rig control error 无线电设备控制错误 - + Failed to open connection to rig 无法打开无线电设备的连接 - + Rig failure 无线电设备故障 @@ -1437,22 +1442,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency 添加频率 - + IARU &Region: IA&RU 区域: - + &Mode: 模式(&M): - + &Frequency (MHz): 频率 (M&Hz): @@ -1460,26 +1465,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region IARU 区域 - - + + Mode 模式 - - + + Frequency 频率 - - + + Frequency (MHz) 频率 (MHz) @@ -2071,12 +2076,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity 波段活动 @@ -2088,11 +2094,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency 接收信息 @@ -2127,122 +2134,237 @@ Error(%2): %3 切换监听开/关 - + &Monitor 监听(&M) - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>擦除右窗口. 双击可擦除两个窗口.</p></body></html> - + Erase right window. Double-click to erase both windows. 擦除右窗口. 双击可擦除两个窗口. - + &Erase 擦除(&E) - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>清除累积信息平均值.</p></body></html> - + Clear the accumulating message average. 清除累积信息平均值. - + Clear Avg 清除平均 - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>在通联频率下解码最近的接收周期</p></body></html> - + Decode most recent Rx period at QSO Frequency 在通联频率下解码最近的接收周期 - + &Decode 解码(&D) - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>切换自动发射 开/关</p></body></html> - + Toggle Auto-Tx On/Off 切换自动发射 开/关 - + E&nable Tx 启用发射(&n) - + Stop transmitting immediately 立即停止发射 - + &Halt Tx 停止发射(&H) - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>切换发射纯音调 开/关</p></body></html> - + Toggle a pure Tx tone On/Off 切换发射纯音调 开/关 - + &Tune 调谐(&T) - + Menus 菜单 - + + 1/2 + + + + + 2/2 + + + + + 1/3 + + + + + 2/3 + + + + + 3/3 + + + + + 1/4 + + + + + 2/4 + + + + + 3/4 + + + + + 4/4 + + + + + 1/5 + + + + + 2/5 + + + + + 3/5 + + + + + 4/5 + + + + + 5/5 + + + + + 1/6 + + + + + 2/6 + + + + + 3/6 + + + + + 4/6 + + + + + 5/6 + + + + + 6/6 + + + + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency 上边带频率 - + 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>当只存在噪音时建议30dB<br/>绿色好<br/>红色时可能发生剪切<br/>黄色时太低</p></body></html> - + Rx Signal 接收信号 - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2253,338 +2375,344 @@ Yellow when too low 黄色时太低 - + DX Call DX 呼号 - + DX Grid DX 网格 - + Callsign of station to be worked 正在通联的电台呼号 - + Search for callsign in database 在数据库中搜索此呼号的网格数据 - + &Lookup 检索(&L) - + Locator of station to be worked 通联中的电台定位 - + Az: 251 16553 km 角度: 251 16553 公里 - + Add callsign and locator to database 增加这呼号及网格的数据在数据库中 - + Add 增加 - + Pwr 功率 - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>如果橙色或红色出现表示无线电设备控制故障, 请单击以重置并读取频率. S 表示异频模式.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. 如果橙色或红色出现表示无线电设备控制故障, 请单击以重置并读取频率. S 表示异频模式. - + ? - + Adjust Tx audio level 调整发射音频电平 - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>选择工作频段或输入 MHz 频率或输入 kHz 增量,然后输入 k.</p></body></html> - + Frequency entry 输入频率 - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. 选择工作频段或输入 MHz 频率或输入 kHz 增量,然后输入 k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>双击解码文本时, 选择以保持发射频率固定.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. 双击解码文本时, 选择以保持发射频率固定. - + Hold Tx Freq 保持发射频率 - + Audio Rx frequency 音频接收频率 - - - + + + + + Hz 赫兹 - + + Rx 接收 - + + Set Tx frequency to Rx Frequency 将发射频率设置为接收频率 - + - + Frequency tolerance (Hz) 频率容差 (Hz) - + + F Tol 容差 - + + Set Rx frequency to Tx Frequency 将接收频率位置移往发射频率位置 - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>同步阈值. 较低的数字接受较弱的同步信号.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. 同步阈值. 较低的数字接受较弱的同步信号. - + Sync 同步 - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>选择以使用短格式信息.</p></body></html> - + Check to use short-format messages. 选择以使用短格式信息. - + Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>选择以启用 JT9 快速模式</p></body></html> - + Check to enable JT9 fast modes 选择以启用 JT9 快速模式 - - + + Fast 快速 - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>选择以启用基于收到的信息自动排序发射信息.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. 选择以启用基于收到的信息自动排序发射信息. - + Auto Seq 自动程序 - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>选择以呼叫第一个解码的响应我的 CQ.</p></body></html> - + Check to call the first decoded responder to my CQ. 选择以呼叫第一个解码的响应我的 CQ. - + Call 1st 呼叫第一个解码 - + Check to generate "@1250 (SEND MSGS)" in Tx6. 选择以生成 "@1250 (发送信息)" 在发射6. - + Tx6 发射6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>选择发射以偶数分钟或序列, 从 0 开始; 取消选择以奇数序列.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. 选择发射以偶数分钟或序列, 从 0 开始; 取消选择以奇数序列. - + Tx even/1st 发射偶数/第一 - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>呼叫 CQ 的频率以 kHz 高于当前的 MHz</p></body></html> - + Frequency to call CQ on in kHz above the current MHz 呼叫 CQ 的频率以 kHz 高于当前的 MHz - + Tx CQ 发射 CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>选中此项, 以发射CQ呼叫. 接收将在当前频率上, CQ信息将显示在当前的接收信息窗口, 以便呼叫者知道回复的频率.</p><p>不适用于非标准呼号持有者.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. 选中此项, 以发射CQ呼叫. 接收将在当前频率上, CQ信息将显示在当前的接收信息窗口, 以便呼叫者知道回复的频率. 不适用于非标准呼号持有者. - + Rx All Freqs 接收全部频率 - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>子模式確定音調間距; A 最窄.</p></body></html> - + Submode determines tone spacing; A is narrowest. 子模式確定音調間距; A 最窄. - + Submode 子模式 - - + + Fox 狐狸 - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>选择以监视速记信息.</p></body></html> - + Check to monitor Sh messages. 选择以监视速记信息. - + SWL - + Best S+P 最佳 S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>选中可开始记录校准数据.<br/>当测量校准校正被禁用时.<br/>未检查时您可以查看校准结果.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2593,204 +2721,206 @@ When not checked you can view the calibration results. 未检查时您可以查看校准结果. - + Measure 测量 - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>信号报告: 参考2500 Hz 带宽 (dB) 中的信噪比.</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). 信号报告: 参考2500 Hz 带宽 (dB) 中的信噪比. - + Report 报告 - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>发射/接收 或频率校准序列长度</p></body></html> - + Tx/Rx or Frequency calibration sequence length 发射/接收 或频率校准序列长度 - + + s - + + T/R - + Toggle Tx mode 切换发射模式 - + Tx JT9 @ 发射 JT9 @ - + Audio Tx frequency 音频发射频率 - - + + Tx 发射 - + Tx# 发射# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>双击另一个呼号以排队呼叫您的下一个通联.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. 双击另一个呼号以排队呼叫您的下一个通联. - + Next Call 下一个通联 - + 1 - - - + + + Send this message in next Tx interval 在下一个发射间隔内发送此信息 - + Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>在下一个发射间隔内发送此信息</p><p>双击以切换使用 发射 1 信息以启动和电台的通联 (不允许 1 型复合呼叫持有者)</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) 在下一个发射间隔内发送此信息 双击以切换使用 发射 1 信息以启动和电台的通联 (不允许 1 型复合呼叫持有者) - + Ctrl+1 - - - - + + + + Switch to this Tx message NOW 立即切换到此发射信息 - + Tx &2 发射 &2 - + Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>立即切换到此发射信息</p><p>双击以切换使用 发射 1 信息以启动和电台的通联 (不允许 1 型复合呼叫持有者)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) 立即切换到此发射信息 双击以切换使用 发射 1 信息以启动和电台的通联 (不允许 1 型复合呼叫持有者) - + Tx &1 发射 &1 - + Alt+1 - + Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>在下一个发射间隔内发送此信息</p><p>双击可重置为标准 73 信息</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message 在下一个发射间隔内发送此信息 双击可重置为标准 73 信息 - + Ctrl+5 - + Ctrl+3 - + Tx &3 发射 &3 - + Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>在下一个发射间隔内发送此信息</p><p>双击可在 发射4 中的 RRR 和 RR73 信息之间切换 (不允许类型 2 复合呼叫持有者)</p><p>RR73 信息仅在您有理由相信不需要重复信息时才应使用</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2799,17 +2929,17 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 信息仅在您有理由相信不需要重复信息时才应使用 - + Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>立即切换到此发射信息</p><p>双击可在 发射 4 中的 RRR 和 RR73 信息之间切换 (不允许类型 2 复合呼叫持有者)</p><p>RR73 信息仅在您有理由相信不需要重复信息时才应使用</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2818,65 +2948,64 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 信息仅在您有理由相信不需要重复信息时才应使用 - + Tx &4 发射 &4 - + Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>立即切换到此发射信息</p><p>双击可重置为标准 73 信息</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message 立即切换到此发射信息 双击可重置为标准 73 信息 - + Tx &5 发射 &5 - + Alt+5 - + Now 现在 - + Generate standard messages for minimal QSO 生成标准信息用于通联 - + Generate Std Msgs 生成标准信息 - + Tx &6 发射 &6 - + Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2887,990 +3016,971 @@ list. The list can be maintained in Settings (F2). 列表. 该列表可在设置(F2)中维护. - + Queue up the next Tx message 排队下一个发射信息 - + Next 下一个 - + 2 - + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + + + + FST4W + + + Calling CQ - 呼叫 CQ + 呼叫 CQ - Generate a CQ message - 生成CQ信息 + 生成CQ信息 - - - + + CQ - Generate message with RRR - 生成RRR信息 + 生成RRR信息 - - RRR - - - - Generate message with report - 生成报告信息 + 生成报告信息 - dB - 分贝 + 分贝 - Answering CQ - 回答 CQ + 回答 CQ - Generate message for replying to a CQ - 生成信息以回答 CQ + 生成信息以回答 CQ - - + Grid 网格 - Generate message with R+report - 生成 R+ 报告信息 + 生成 R+ 报告信息 - R+dB - R+分贝 + R+分贝 - Generate message with 73 - 生成73信息 + 生成73信息 - - 73 - - - - Send this standard (generated) message - 发送此标准(生成)信息 + 发送此标准(生成)信息 - Gen msg - 生成信息 + 生成信息 - Send this free-text message (max 13 characters) - 发送此自定义文本信息(最多13个字符) + 发送此自定义文本信息(最多13个字符) - Free msg - 自定义文本 + 自定义文本 - - 3 - - - - + Max dB 最大分贝 - + CQ AF CQ 非洲 - + CQ AN CQ 南极 - + CQ AS CQ 亚洲 - + CQ EU CQ 欧洲 - + CQ NA CQ 北美 - + CQ OC CQ 大洋洲 - + CQ SA CQ 南美 - + CQ 0 - + CQ 1 - + CQ 2 - + CQ 3 - + CQ 4 - + CQ 5 - + CQ 6 - + CQ 7 - + CQ 8 - + CQ 9 - + Reset 重置 - + N List N 列表 - + N Slots N 插槽 - - + + + + + + + Random 随机 - + Call 呼号 - + S/N (dB) 信噪比(分贝) - + Distance 距离 - + More CQs 更多 CQ - Percentage of 2-minute sequences devoted to transmitting. - 用于传输的 2 分钟序列的百分比. + 用于传输的 2 分钟序列的百分比. - + + % - + Tx Pct 发射 Pct - + Band Hopping 波段预案 - + Choose bands and times of day for band-hopping. 选择波段和一天之中的时间进行波段跳跃. - + Schedule ... 时间流程 ... - + Upload decoded messages to WSPRnet.org. 将解码的信息上载到 WSPRnet.org. - + Upload spots 上传 spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>6 位定位器会导致发送 2 个不同的信息, 第二个包含完整定位器, 但只有哈希呼号. 其他电台必须解码第一个一次. 然后才能在第二个中解码您的呼叫. 如果此选项将避免两个信息协议. 则选中此选项仅发送 4 位定位器.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. 6 位定位器会导致发送 2 个不同的信息, 第二个包含完整定位器, 但只有哈希呼号. 其他电台必须解码第一个一次. 然后才能在第二个中解码您的呼叫. 如果此选项将避免两个信息协议. 则选中此选项仅发送 4 位定位器. - Prefer type 1 messages - 首选类型 1信息 + 首选类型 1信息 - + No own call decodes 没有自己的呼号解码 - Transmit during the next 2-minute sequence. - 在接下来的2分钟序列中输送. + 在接下来的2分钟序列中输送. - + Tx Next 发射下一个信息 - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. 将发射功率设置为 dBm (dB 高于 1 mW) 作为 WSPR 信息的一部分. - + + NB + + + + File 文件 - + View 显示 - + Decode 解码 - + Save 保存 - + Help 帮助 - + Mode 模式 - + Configurations 配置 - + Tools 工具 - + Exit 关闭软件 - Configuration - 配置档 + 配置档 - - F2 - - - - + About WSJT-X 有关 WSJT-X - + Waterfall 瀑布图 - + Open 打开文件 - + Ctrl+O - + Open next in directory 打开下一个文件 - + Decode remaining files in directory 打开余下文件 - + Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir 删除所有在SaveDir目录内 *.wav && *.c2 - + None 不保存 - + Save all 保存所有 - + Online User Guide 在线用户指南 - + Keyboard shortcuts 键盘快捷键 - + Special mouse commands 滑鼠特殊组合 - + JT9 - + Save decoded 保存解码 - + Normal 正常 - + Deep 深度 - Monitor OFF at startup - 启动时关闭监听 + 启动时关闭监听 - + Erase ALL.TXT 删除 ALL.TXT - + Erase wsjtx_log.adi 删除通联日志 wsjtx_log.adi - Convert mode to RTTY for logging - 将日志记录模式转换为RTTY + 将日志记录模式转换为RTTY - Log dB reports to Comments - 将 dB 报告记录到注释 + 将 dB 报告记录到注释 - Prompt me to log QSO - 提示我记录通联 + 提示我记录通联 - Blank line between decoding periods - 解码期间之间添加空白行 + 解码期间之间添加空白行 - Clear DX Call and Grid after logging - 日志记录后清除 DX 呼号和网格 + 日志记录后清除 DX 呼号和网格 - Display distance in miles - 显示距离以英里为单位 + 显示距离以英里为单位 - Double-click on call sets Tx Enable - 双击呼号启用发射 + 双击呼号启用发射 - - + F7 - Tx disabled after sending 73 - 发送 73 后停止发射 + 发送 73 后停止发射 - - + Runaway Tx watchdog 运行发射监管计时器 - Allow multiple instances - 允许多个情况 + 允许多个情况 - Tx freq locked to Rx freq - 发射频率锁定到接收频率 + 发射频率锁定到接收频率 - + JT65 - + JT9+JT65 - Tx messages to Rx Frequency window - 发射信息发送到接收信息窗口 + 发射信息发送到接收信息窗口 - - Gray1 - - - - Show DXCC entity and worked B4 status - 显示 DXCC 实体和曾经通联状态 + 显示 DXCC 实体和曾经通联状态 - + Astronomical data 天文数据 - + List of Type 1 prefixes and suffixes 类型 1 前缀和后缀的列表 - + Settings... 设置... - + Local User Guide 本地用户指南 - + Open log directory 打开日志文件目录 - + JT4 - + Message averaging 信息平均值 - + Enable averaging 平均值 - + Enable deep search 启用深度搜索 - + WSPR - + Echo Graph 回波图 - + F8 - + Echo - + EME Echo mode EME 回波模式 - + ISCAT - + Fast Graph 快速图 - + F9 - + &Download Samples ... 下载样本(&D) ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>下载演示各种模式的示例音频文件.</p></body></html> - + MSK144 - + QRA64 - + Release Notes 发行说明 - + Enable AP for DX Call 启用 AP 为 DX 呼叫 - + FreqCal - + Measure reference spectrum 测量参考频谱 - + Measure phase response 测量相位响应 - + Erase reference spectrum 擦除参考频谱 - + Execute frequency calibration cycle 执行频率校准周期 - + Equalization tools ... 均衡工具 ... - - WSPR-LF - - - - Experimental LF/MF mode - 实验性 LF/MF 模式 + 实验性 LF/MF 模式 - + FT8 - - + + Enable AP 启用 AP - + Solve for calibration parameters 校准参数的解算 - + Copyright notice 版权声明 - + Shift+F1 - + Fox log 狐狸日志 - + FT8 DXpedition Mode User Guide FT8 远征模式用户指南 - + Reset Cabrillo log ... 重置卡布里略日志 ... - + Color highlighting scheme 颜色突显方案 - Contest Log - 竞赛日志 + 竞赛日志 - + Export Cabrillo log ... 导出卡布里略日志 ... - Quick-Start Guide to WSJT-X 2.0 - WSJT-X 2.0 快速入门指南 + WSJT-X 2.0 快速入门指南 - + Contest log 竞赛日志 - + Erase WSPR hashtable 擦除 WSPR 哈希表 - + FT4 - + Rig Control Error 无线电设备控制错误 - - - + + + Receiving 接收 - + Do you want to reconfigure the radio interface? 是否要重新配置无线电设备接口? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log 扫描 ADIF 日志错误 - + Scanned ADIF log, %1 worked before records created 扫描 ADIF 日志, %1 创建曾经通联记录 - + Error Loading LotW Users Data 加载 LotW 用户数据错误 - + Error Writing WAV File 写入 WAV 文件时错误 - + Configurations... 配置文件... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message 信息 - + Error Killing jt9.exe Process 错误终止 jt9.exe 进程 - + KillByName return code: %1 按名称终止返回代码: %1 - + Error removing "%1" 删除时出错误 "%1" - + Click OK to retry 单击 确定 重试 - - + + Improper mode 模式不正确 - - + + File Open Error 文件打开出错误 - - - - - + + + + + Cannot open "%1" for append: %2 无法打开 "%1" 用于附加: %2 - + Error saving c2 file 保存 c2 文件出错误 - + Error in Sound Input 声音输入出错误 - + Error in Sound Output 声音输出错误 - - - + + + Single-Period Decodes 单周期解码 - - - + + + Average Decodes 平均解码 - + Change Operator 改变操作员 - + New operator: 新操作员: - + Status File Error 状态文件错误 - - + + Cannot open "%1" for writing: %2 无法打开 "%1" 用于写入: %2 - + Subprocess Error 子流程出错误 - + Subprocess failed with exit code %1 子流程失败, 退出代码为 %1 - - + + Running: %1 %2 运行: %1 %2 - + Subprocess error 子进程错误 - + Reference spectrum saved 保存参考频谱 - + Invalid data in fmt.all at line %1 在 %1 行中 fmt.all 的无效数据 - + Good Calibration Solution 良好的校准解决方案 - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3879,37 +3989,37 @@ list. The list can be maintained in Settings (F2). - + Delete Calibration Measurements 删除校准测量值 - + The "fmt.all" file will be renamed as "fmt.bak" "fmt.all" 文件将重命名为 "fmt.bak" - + No data read from disk. Wrong file format? 没有从磁盘读取数据. 文件格式出错误? - + Confirm Delete 确认删除 - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? 是否确实要删除所有 *.wav 和 *.c2 文件在 "%1"? - + Keyboard Shortcuts 键盘快捷键 - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -3959,12 +4069,51 @@ list. The list can be maintained in Settings (F2). - + Special Mouse Commands 滑鼠特殊组合 - + + No more files to open. + 没有要打开的文件. + + + + Spotting to PSK Reporter unavailable + + + + + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. + 请选择其他发射频率. WSJT-X 不会故意传输另一个模式在 WSPR 30米子波段上. + + + + WSPR Guard Band + WSPR保护波段 + + + + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. + 请选择其它频率. WSJT-X 不会运行狐狸模式在标准 FT8 波段. + + + + Fox Mode warning + 狐狸模式警告 + + + + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: + +"The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." + 如果您根据 GNU 通用公共许可证条款合理使用 WSJT-X 的任何部分, 则必须在衍生作品中醒目地显示以下版权声明: + +"WSJT-X 的算法, 源代码, 外观和感觉及相关程序,和协议规格模式 FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 的版权 (C) 2001-2019 由以下一个或多个作者: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; 和 WSJT 开发组的其他成员." + + + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -3975,7 +4124,7 @@ list. The list can be maintained in Settings (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -3983,10 +4132,10 @@ list. The list can be maintained in Settings (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4000,51 +4149,12 @@ list. The list can be maintained in Settings (F2). - - No more files to open. - 没有要打开的文件. - - - - Spotting to PSK Reporter unavailable - - - - - Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. - 请选择其他发射频率. WSJT-X 不会故意传输另一个模式在 WSPR 30米子波段上. - - - - WSPR Guard Band - WSPR保护波段 - - - - Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. - 请选择其它频率. WSJT-X 不会运行狐狸模式在标准 FT8 波段. - - - - Fox Mode warning - 狐狸模式警告 - - - - If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: - -"The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." - 如果您根据 GNU 通用公共许可证条款合理使用 WSJT-X 的任何部分, 则必须在衍生作品中醒目地显示以下版权声明: - -"WSJT-X 的算法, 源代码, 外观和感觉及相关程序,和协议规格模式 FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 的版权 (C) 2001-2019 由以下一个或多个作者: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; 和 WSJT 开发组的其他成员." - - - + Last Tx: %1 最后发射: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4055,183 +4165,182 @@ To do so, check 'Special operating activity' and 设置高级选项卡上的 '欧洲 VHF 竞赛'. - + Should you switch to ARRL Field Day mode? 是否应切换到 ARRL Field Day 模式? - + Should you switch to RTTY contest mode? 是否应切换到 RTTY 竞赛模式? - - - - + + + + Add to CALL3.TXT 添加到 CALL3.TXT - + Please enter a valid grid locator 请输入有效的网格定位 - + Cannot open "%1" for read/write: %2 无法打开 "%1" 用于读/写: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 已经在 CALL3.TXT, 你想替换它吗? - + Warning: DX Call field is empty. 警告: DX 呼号字段为空. - + Log file error 日志文件错误 - + Cannot open "%1" 无法打开 "%1" - + Error sending log to N1MM 将日志发送到 N1MM 时发生错误 - + Write returned "%1" 写入返回 "%1" - + Stations calling DXpedition %1 呼叫远征电台 %1 - + Hound 猎犬 - + Tx Messages 发射信息 - - - + + + Confirm Erase 确认擦除 - + Are you sure you want to erase file ALL.TXT? 是否确实要擦除 ALL.TXT 文件? - - + + Confirm Reset 确认重置 - + Are you sure you want to erase your contest log? 是否确实要擦除竞赛日志? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. 执行此操作将删除当前竞赛的所有通联记录. 它们将保留在 ADIF 日志文件中, 但无法导出到您的卡布里略日志中. - + Cabrillo Log saved 卡布里略日志已保存 - + Are you sure you want to erase file wsjtx_log.adi? 是否确实要擦除 wsjtx_log.adi 文件? - + Are you sure you want to erase the WSPR hashtable? 是否确实要擦除 WSPR 哈希表? - VHF features warning - VHF 功能警告 + VHF 功能警告 - + Tune digital gain 调谐数码增益 - + Transmit digital gain 传输数码增益 - + Prefixes 前缀 - + Network Error 网络错误 - + Error: %1 UDP server %2:%3 错误: %1 UDP 服务器 %2:%3 - + File Error 文件错误 - + Phase Training Disabled 已禁用阶段训练 - + Phase Training Enabled 已启用阶段训练 - + WD:%1m - - + + Log File Error 日志文件错误 - + Are you sure you want to clear the QSO queues? 是否确实要清除通联队列? @@ -4253,8 +4362,8 @@ UDP 服务器 %2:%3 Modes - - + + Mode 模式 @@ -4411,7 +4520,7 @@ UDP 服务器 %2:%3 无法打开 LotW 用户 CSV 文件: '%1' - + OOB @@ -4602,7 +4711,7 @@ Error(%2): %3 不可恢复的出错误, 音频输入设备此时不可用. - + Requested input audio format is not valid. 请求的输入音频格式无效. @@ -4612,37 +4721,37 @@ Error(%2): %3 设备不支持请求输入的音频格式. - + Failed to initialize audio sink device 无法初始化音频接收器设备 - + Idle 闲置 - + Receiving 接收 - + Suspended 暂停 - + Interrupted 中断 - + Error 错误 - + Stopped 停止 @@ -4650,62 +4759,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. 打开音频输出设备时错误. - + An error occurred during write to the audio output device. 写入音频输出设备期间错误. - + Audio data not being fed to the audio output device fast enough. 音频数据未以足够快的速度馈送到音频输出设备. - + Non-recoverable error, audio output device not usable at this time. 不可恢复出错误, 音频输出设备此时不可用. - + Requested output audio format is not valid. 请求的输出音频格式无效. - + Requested output audio format is not supported on device. 设备不支持请求输出的音频格式. - + + No audio output device configured. + + + + Idle 闲置 - + Sending 发送 - + Suspended 暂停 - + Interrupted 中断 - + Error 错误 - + Stopped 停止 @@ -4713,22 +4827,22 @@ Error(%2): %3 StationDialog - + Add Station 添加电台 - + &Band: 波段(&B): - + &Offset (MHz): 偏移 (M&Hz): - + &Antenna: 天线(&A): @@ -4918,18 +5032,14 @@ Error(%2): %3 - JT9 - + Hz + 赫兹 - JT65 + Split - - Hz - 赫兹 - Number of FFTs averaged (controls waterfall scrolling rate) @@ -4962,6 +5072,29 @@ Error(%2): %3 读取调色板 + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5160,9 +5293,8 @@ Error(%2): %3 分钟 - Enable VHF/UHF/Microwave features - 启用 VHF/UHF/Microwave 功能 + 启用 VHF/UHF/Microwave 功能 @@ -5279,7 +5411,7 @@ quiet period when decoding is done. - + Port: 端口: @@ -5290,137 +5422,149 @@ quiet period when decoding is done. + Serial Port Parameters 串口参数 - + Baud Rate: 波特率: - + Serial port data rate which must match the setting of your radio. 串行端口数据速率必须与您的无线电设置相匹配. - + 1200 - + 2400 - + 4800 - + 9600 - + 19200 - + 38400 - + 57600 - + 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>用于与无线电设备 CAT 接口通信的数据位数 (通常为 8 ).</p></body></html> - + + Data bits + + + + Data Bits 数据位元 - + D&efault 默认值(&e) - + Se&ven Se&ven 7 - + E&ight E&ight 8 - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>与无线电设备 CAT 接口通信时使用的停止位数</p><p>(详情请参阅无线电设备手册).</p></body></html> - + + Stop bits + + + + Stop Bits 停止位元 - - + + Default 默认值 - + On&e On&e 1 - + T&wo T&wo 2 - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>电脑和无线电设备 CAT 接口 之间使用的流量控制协议 (通常是 "None",但有些要求"硬件").</p></body></html> - + + Handshake 握手方式 - + &None 无(&N) - + Software flow control (very rare on CAT interfaces). 软件控制流 (在CAT接口上非常罕见). - + XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5429,74 +5573,75 @@ a few, particularly some Kenwood rigs, require it). 很少,特别是一些 健伍无线电设备,需要它). - + &Hardware 硬件(&H) - + Special control of CAT port control lines. 特殊控制的CAT控制线. - + + Force Control Lines 强制控制线 - - + + High - - + + Low - + DTR: - + RTS: - + How this program activates the PTT on your radio? 此程序如何激活无线电设备上的 PTT? - + PTT Method PTT 方法 - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>如果您没有无线电设备接口硬件,没法PTT而是使用无线电设备的自动声控来发射,请使用此选项.</p></body></html> - + VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>使用 RS-232 DTR 控制线路切换无线电设备的 PTT, 需要硬件来接口线路.</p><p>某些商业接口单元也使用此方法.</p><p>CAT 串行端口的 DTR 控制线路可用于此或可用于其他串行端口上的 DTR 控制线路.</p></body></html> - + &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5505,47 +5650,47 @@ other hardware interface for PTT. PTT的其它硬件接口. - + C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>使用 RS-232 RTS 控制线路切换無線電設備的 PTT, 需要硬件来接口线路.</p><p>某些商业接口单元也使用此方法.</p><p>CAT 串行端口的 RTS 控制线路可用于此或可能用于其他串行端口上的 RTS 控制线路. 请注意, 使用硬件流控制时, CAT 串行端口上不可用此选项.</p></body></html> - + R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>选择用于 ptt 控制的RS-232 串行端口,当选择上述DTR或RTS作为发射方法时,此选项可用.此端口可以与用于CAT控制的端口相同.对于某些接口类型,可以选择特殊值CAT,这用于可以远程控制串口控制线的非串行CAT接口 (例如 omnirig).</p></body></html> - + Modulation mode selected on radio. 在无线电设备上选择的调制模式. - + Mode 模式 - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>上边带通常是正确的调制模式,除非无线电设备具有用于AFSK操作的特殊数据或数据包模式设置.</p></body></html> - + US&B 上边带(&B) - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5554,23 +5699,23 @@ or bandwidth is selected). 或带宽). - - + + None - + If this is available then it is usually the correct mode for this program. 如果这是可用的, 那么它通常是这个程序的正确模式. - + Data/P&kt 数据/封包(&k) - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5579,52 +5724,52 @@ this setting allows you to select which audio input will be used (如果可用,则通常 后方/数据 选项是最佳选择). - + Transmit Audio Source 无线电设备音频源 - + Rear&/Data 后方&/数据口 - + &Front/Mic 前方/麦克风(&F) - + Rig: 无线电设备: - + Poll Interval: 时间间隔: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>为软件与无线电设备沟通的时间间隔.时间间隔较长,意味着对无线电设备的更改需要更长的时间才能检测到.</p></body></html> - + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>尝试使用这些设置连接到无线电设备.如果连接成功,该按钮将变为绿色; 如果有问题,则为红色.</p></body></html> - + Test CAT 测试 CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5637,47 +5782,47 @@ radio interface behave as expected. 的任何发射指示是否如预期的那样. - + Test PTT 测试 PTT - + Split Operation 异频操作 - + Fake It 虚假 - + Rig 无线电设备 - + A&udio 音频(&u) - + Audio interface settings 音频接口设置 - + Souncard - + Soundcard 声效卡 - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5690,46 +5835,51 @@ transmitting periods. 向外发射输出. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. 选择要用于接收的音频信号. - + &Input: 输入(&I): - + Select the channel to use for receiving. 选择要用于接收的通道. - - + + Mono 单声道 - - + + Left 左声道 - - + + Right 右声道 - - + + Both 双声道 - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5740,110 +5890,110 @@ both here. 双声道. - + Ou&tput: 输出(&t): - - + + Save Directory 保存目录 - + Loc&ation: 目录位置(&a): - + Path to which .WAV files are saved. .WAV 文件被保存到哪条路径. - - + + TextLabel - + Click to select a different save directory for .WAV files. 单击选择不同的保存目录 .WAV 文件. - + S&elect 选择(&e) - - + + AzEl Directory AzEl 目录 - + Location: 位置: - + Select 选择 - + Power Memory By Band 按频段存储功率 - + Remember power settings by band 按频段功率记忆设置 - + Enable power memory during transmit 在传输过程中启用功率记忆 - + Transmit 发射 - + Enable power memory during tuning 在调谐期间启用功率记忆 - + Tune 调谐 - + Tx &Macros 自定义文字(&M) - + Canned free text messages setup 设置自定义文字 - + &Add 增加(&A) - + &Delete 删除(&D) - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5852,37 +6002,37 @@ Click, SHIFT+Click and, CRTL+Click to select items 单击, SHIFT+单击 和, CRTL+单击 以选择项目 - + Reportin&g 报告(&g) - + Reporting and logging settings 设置日志和报告 - + Logging 记录日志 - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. 当您发送73或自定义文字时,程序将弹出一个部分完成的日志通联对话框. - + Promp&t me to log QSO 提示我记录通联日志(&t) - + Op Call: 操作员呼号: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5893,49 +6043,49 @@ comments field. 注释字段. - + d&B reports to comments 把d&B报告写入注释栏 - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. 选中此选项当发送73或自定义文字信息可强制清除DX呼叫 和DX网格字段. - + Clear &DX call and grid after logging 记录完成后清除&DX呼号及网格 - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>某些日志记录程序不接受 WSJT-X 模式名称.</p></body></html> - + Con&vert mode to RTTY 把日志记录转成&RTTY模式 - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>操作员的呼号 (如果与电台呼号不同).</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>选择当完成通联后, 自动记录.</p></body></html> - + Log automatically (contesting only) 日志自动记录 (仅限竞赛) - + Network Services 网络服务 @@ -5950,512 +6100,553 @@ for assessing propagation and system performance. 用于评估传播和系统性能. - + Enable &PSK Reporter Spotting 启用&PSK Reporter Spotting - + UDP Server UDP服务器 - + UDP Server: UDP服务器: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>接收解码的网络服务的可选主机名称.</p><p>格式:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">主机名称</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4多点传送组地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 多点传送组地址</li></ul><p>清除此字段将禁用UDP状态更新的广播.</p></body></html> - + UDP Server port number: UDP服务器端口: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>输入 WSJT-X 应向其发送更新的 UDP 服务器的服务端口号. 如果为零, 将不会广播任何更新.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>启用此功能后,WSJT-X 将接受来自接收解码消息的 UDP 服务器的某些请求.</p></body></html> - + Accept UDP requests 接受UDP请求 - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>指示接受传入的 UDP 请求.此选项的效果因操作系统和窗口管理器而异,其目的是通知接受传入的 UDP 请求,即使此应用程序最小化或隐藏</p></body></html> - + Notify on accepted UDP request 接受UDP的请求时通知 - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>如果接受 UDP 请求,则从最小化还原窗口.</p></body></html> - + Accepted UDP request restores window 接受UDP请求还原窗口 - + Secondary UDP Server (deprecated) 辅助 UDP 服务器 (已弃用) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>选中后,WSJT-X 将以 ADIF 格式将记录的联系广播到配置的主机名和端口. </p></body></html> - + Enable logged contact ADIF broadcast 启用记录联系 ADIF 广播 - + Server name or IP address: 服务器名称或 IP 地址: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>N1MM Logger+ 程序的可选电脑主机, 用于接收 ADIF UDP 广播. 这通常是 'localhost' 或 IP地址 127.0.0.1</p><p>格式:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">主机名称</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 多播组地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 多播组地址</li></ul><p>清除此字段将禁用通过 UDP 广播 ADIF 信息.</p></body></html> - + Server port number: 服务器端口号: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>输入 WSJT-X 应用于 ADIF 日志信息的 UDP 广播的端口号. 对于 N1MM Logger+, 此值应为 2333. 如果为零, 将不会广播任何更新.</p></body></html> - + Frequencies 频率 - + Default frequencies and band specific station details setup 设置默认值频率和带宽点特定的无线电设备详细信息 - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>阅读 &quot;频率校准&quot; 在 WSJT-X 用户指南中, 有关如何确定无线电的这些参数的详细信息.</p></body></html> - + Frequency Calibration 频率校准 - + Slope: 倾斜率: - + ppm - + Intercept: 拦截: - + Hz 赫兹 - + Working Frequencies 工作频率 - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>右键单击以保持工作频率列表.</p></body></html> - + Station Information 电台信息 - + Items may be edited. Right click for insert and delete options. 项目可以编辑 右键单击以插入和删除选项. - + Colors 颜色 - + Decode Highlightling 解码突出显示 - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>使用复选框启用或禁用项目,并右键单击项目以更改或取消设置前景颜色, 背景颜色, 或将项目重置为默认值. 拖放项目以更改其优先级, 列表中较高的优先级较高.</p><p>请注意, 每个前景或背景颜色都可以设置或取消设置, 取消设置意味着它未为该项分配, 其类型和低优先级项可能适用.</p></body></html> - + Rescan ADIF Log 重新扫描 ADIF 日志 - + + Enable VHF and submode features + + + + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>推送将上述所有突出显示项重置为默认值和优先级.</p></body></html> - + Reset Highlighting 重置高亮显示 - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>选择以指示每个模式新的 DXCC 实体, 网格和呼号.</p></body></html> - + Highlight by Mode 按模式突出显示 - + Include extra WAE entities 包括额外的 WAE 实体 - + Check to for grid highlighting to only apply to unworked grid fields 检查到网格突出显示仅应用于未通联的网格字段 - + Only grid Fields sought 仅寻求网格字段 - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>控制 LoTW 用户查找日志.</p></body></html> - + Logbook of the World User Validation LoTW 用户验证 - + Users CSV file URL: 用户 CSV 文件 URL: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>ARRL LoTW 用户上次上传日期和时间数据文件的网址, 该文件用于突出显示已知将日志文件上载到 LoTW 的电台的解码.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>按下此按钮即可获取最新的 LoTW 用户的上传日期和时间数据文件.</p></body></html> - + Fetch Now 立即获取 - + Age of last upload less than: 上次上传的日期小于: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>调整此旋转框以设置 LoTW 用户最后一个上传日期的日期阈值, 该日期被接受为当前 LoTW 用户.</p></body></html> - + days - + Advanced 高级设置 - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>用户可选参数用于 JT65 VHF/UHF/Microwave 的解码.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters JT65 VHF/UHF/Microwave 解码参数 - + Random erasure patterns: 随机擦除模式: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>随机软判决 Reed Solomon 解码器的最大擦除模式数为 10^(n/2).</p></body></html> - + Aggressive decoding level: 主动解码级别: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>较高的水平会增加解码的概率, 但也会增加错误解码的概率.</p></body></html> - + Two-pass decoding 通过二次解码 - + Special operating activity: Generation of FT4, FT8, and MSK144 messages 特殊操作活动: 产生FT4, FT8 和 MSK144 信息 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>FT8 DX远征模式呼叫DX的猎犬操作员.</p></body></html> - + + Hound 猎犬 - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>北美 VHF/UHF/Microwave 竞赛和其他需要交换的 4 个字符网格定位器的竞赛.</p></body></html> - + + NA VHF Contest NA VHF 竞赛 - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>FT8 DX远征模式: 狐狸 (DX远征) 操作员.</p></body></html> - + + Fox 狐狸 - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>欧洲 VHF+ 竞赛需要信号报告, 序列号和 6 个字符定位.</p></body></html> - + + EU VHF Contest EU VHF 竞赛 - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup 和类似的比赛. 交换是美国的州, 加拿大省或 &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages RTTY Roundup 信息 - + + RTTY Roundup exchange + + + + RTTY RU Exch: RTTY RU 交换: - + NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL Field Day 交换: 发射机数量, 类別, 和 ARRL/RAC 部分或 &quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day - + + Field Day exchange + + + + FD Exch: FD 交换: - + 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>世界数字模式竞赛</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest 世界数字竞赛 - + Miscellaneous 杂项 - + Degrade S/N of .wav file: 降低信噪比的 .wav文件: - - + + For offline sensitivity tests 用于离线灵敏度测试 - + dB 分贝 - + Receiver bandwidth: 接收器带宽: - + Hz 赫兹 - + Tx delay: 发射延迟: - + Minimum delay between assertion of PTT and start of Tx audio. PTT 验证与发射音频启动之间的最小延迟. - + s - + + Tone spacing 音调间距 - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>生成具有正常音调间距两倍的发射音频. 适用于在产生射频之前使用除以 2 的特殊 LF/MF 发射器.</p></body></html> - + x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>具有正常音調間距四倍的發射音頻. 適用於在產生射頻之前使用除以 4 的特殊 LF/MF 發射器.</p></body></html> - + x 4 - + + Waterfall spectra 瀑布频谱 - + Low sidelobes 低侧边 - + Most sensitive 最敏感 - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>放弃 (取消) 或应用 (确定) 配置更改, 包括</p><p>重置无线电接口并应用任何声卡更改</p></body></html> @@ -6522,12 +6713,12 @@ Right click for insert and delete options. 无法创建共享内存段 - + Sub-process error - + Failed to close orphaned jt9 process diff --git a/translations/wsjtx_zh_HK.ts b/translations/wsjtx_zh_HK.ts index b56039b8a..6897d76bd 100644 --- a/translations/wsjtx_zh_HK.ts +++ b/translations/wsjtx_zh_HK.ts @@ -129,17 +129,17 @@ 天文資料 - + Doppler Tracking Error 多普勒跟蹤錯誤 - + Split operating is required for Doppler tracking 多普勒跟蹤需要異頻操作 - + Go to "Menu->File->Settings->Radio" to enable split operation 轉到 "菜單->檔案->設置->無線電設備" 啟用異頻操作 @@ -147,32 +147,32 @@ Bands - + Band name 波段名稱 - + Lower frequency limit 頻率下限 - + Upper frequency limit 頻率上限 - + Band 波段 - + Lower Limit 下限 - + Upper Limit 上限 @@ -368,75 +368,75 @@ Configuration::impl - - - + + + &Delete 刪除(&D) - - + + &Insert ... 插入(&I) ... - + Failed to create save directory 無法建立儲存目錄 - + path: "%1% 目錄: "%1% - + Failed to create samples directory 無法建立範例目錄 - + path: "%1" 目录: "%1" - + &Load ... 載入(&L)... - + &Save as ... 另存為(&S) ... - + &Merge ... 合併(&M) ... - + &Reset 重置(&R) - + Serial Port: 串行端口: - + Serial port used for CAT control 用於CAT控制的串行端口 - + Network Server: 網絡服務器: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -451,12 +451,12 @@ Formats: [IPv6-地址]:端口 - + USB Device: USB設備: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -467,152 +467,157 @@ Format: [VID[:PID[:供應商[:產品]]]] - + + Invalid audio input device 無效的音頻輸入設備 - Invalid audio out device - 無效的音頻輸出設備 + 無效的音頻輸出設備 - + + Invalid audio output device + + + + Invalid PTT method 無效的PTT方法 - + Invalid PTT port 無效的PTT端口 - - + + Invalid Contest Exchange 無效的競賽交換數據 - + You must input a valid ARRL Field Day exchange 您必須輸入有效的 ARRL Field Day交換數據 - + You must input a valid ARRL RTTY Roundup exchange 您必須輸入有效的 ARRL RTTY Roundup 交換數據 - + Reset Decode Highlighting 重置解碼突出顯示 - + Reset all decode highlighting and priorities to default values 將所有解碼突出顯示和優先順序重置為預設值 - + WSJT-X Decoded Text Font Chooser WSJT-X 解碼文本字體選擇 - + Load Working Frequencies 載入工作頻率 - - - + + + Frequency files (*.qrg);;All files (*.*) 頻率檔案 (*.qrg);;所有檔案 (*.*) - + Replace Working Frequencies 替換工作頻率 - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? 是否確實要放棄當前工作頻率, 並將其替換為載入的頻率? - + Merge Working Frequencies 合併工作頻率 - - - + + + Not a valid frequencies file 不是有效的頻率檔案 - + Incorrect file magic 不正確的檔案內容 - + Version is too new 版本太新 - + Contents corrupt 內容已損壞 - + Save Working Frequencies 儲存工作頻率 - + Only Save Selected Working Frequencies 只儲存選取的工作頻率 - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. 是否確定要只儲存目前選擇的工作頻率? 按一下 否 可儲存所有. - + Reset Working Frequencies 重置工作頻率 - + Are you sure you want to discard your current working frequencies and replace them with default ones? 您確定要放棄您當前的工作頻率並用默認值頻率替換它們嗎? - + Save Directory 儲存目錄 - + AzEl Directory AzEl 目錄 - + Rig control error 無線電設備控制錯誤 - + Failed to open connection to rig 無法開啟無線電設備的連接 - + Rig failure 無線電設備故障 @@ -1437,22 +1442,22 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency 添加頻率 - + IARU &Region: IA&RU 區域: - + &Mode: 模式(&M): - + &Frequency (MHz): 頻率 (M&Hz): @@ -1460,26 +1465,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region IARU 區域 - - + + Mode 模式 - - + + Frequency 頻率 - - + + Frequency (MHz) 頻率 (MHz) @@ -2071,12 +2076,13 @@ Error(%2): %3 - - - - - - + + + + + + + Band Activity 波段活動 @@ -2088,11 +2094,12 @@ Error(%2): %3 - - - - - + + + + + + Rx Frequency 接收信息 @@ -2127,122 +2134,237 @@ Error(%2): %3 切換監聽開/關 - + &Monitor 监听(&M) - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>擦除右視窗. 雙擊可擦除兩個視窗.</p></body></html> - + Erase right window. Double-click to erase both windows. 擦除右視窗. 雙擊可擦除兩個視窗. - + &Erase 擦除(&E) - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>清除累積信息平均值.</p></body></html> - + Clear the accumulating message average. 清除累積信息平均值. - + Clear Avg 清除平均 - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>在通聯頻率下解碼最近的接收週期</p></body></html> - + Decode most recent Rx period at QSO Frequency 在通聯頻率下解碼最近的接收週期 - + &Decode 解碼(&D) - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>切換自動發射 開/關</p></body></html> - + Toggle Auto-Tx On/Off 切換自動發射 開/關 - + E&nable Tx 啟用發射(&n) - + Stop transmitting immediately 立即停止發射 - + &Halt Tx 停止發射(&H) - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>切換發射純音調 開/關</p></body></html> - + Toggle a pure Tx tone On/Off 切換發射純音調 開/關 - + &Tune 調諧(&T) - + Menus 選單 - + + 1/2 + + + + + 2/2 + + + + + 1/3 + + + + + 2/3 + + + + + 3/3 + + + + + 1/4 + + + + + 2/4 + + + + + 3/4 + + + + + 4/4 + + + + + 1/5 + + + + + 2/5 + + + + + 3/5 + + + + + 4/5 + + + + + 5/5 + + + + + 1/6 + + + + + 2/6 + + + + + 3/6 + + + + + 4/6 + + + + + 5/6 + + + + + 6/6 + + + + + Percentage of minute sequences devoted to transmitting. + + + + + Prefer Type 1 messages + + + + + <html><head/><body><p>Transmit during the next sequence.</p></body></html> + + + + USB dial frequency 上邊帶頻率 - + 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>當只存在噪音時建議30dB<br/>綠色好<br/>紅色時可能發生剪切<br/>黃色時太低</p></body></html> - + Rx Signal 接收信號 - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2253,338 +2375,344 @@ Yellow when too low 黃色時太低 - + DX Call DX 呼號 - + DX Grid DX 網格 - + Callsign of station to be worked 正在通聯的電臺呼號 - + Search for callsign in database 在數據庫中搜索此呼號的網格數據 - + &Lookup 檢索(&L) - + Locator of station to be worked 通聯中的電臺定位 - + Az: 251 16553 km 角度: 251 16553 公里 - + Add callsign and locator to database 增加這呼號及網格的數據在數據庫中 - + Add 增加 - + Pwr 功率 - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>如果橙色或紅色出現表示無線電設備控制故障, 請單擊以重置並讀取頻率. S 表示異頻模式.</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. 如果橙色或红色出现表示无线电设备控制故障, 请单击以重置并读取频率. S 表示异频模式. - + ? - + Adjust Tx audio level 調整發射音效電平 - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>選擇工作頻段或輸入 MHz 頻率或輸入 kHz 增量,然後輸入 k.</p></body></html> - + Frequency entry 輸入頻率 - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. 選擇工作頻段或輸入 MHz 頻率或輸入 kHz 增量,然後輸入 k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>按兩下解碼文字時, 選擇以保持發射頻率固定.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. 按兩下解碼文字時, 選擇以保持發射頻率固定. - + Hold Tx Freq 保持發射頻率 - + Audio Rx frequency 音頻接收頻率 - - - + + + + + Hz 赫茲 - + + Rx 接收 - + + Set Tx frequency to Rx Frequency 將發射頻率設定為接收頻率 - + - + Frequency tolerance (Hz) 頻率容差 (Hz) - + + F Tol 容差 - + + Set Rx frequency to Tx Frequency 將接收頻率位置移往發射頻率位置 - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>同步閾值. 較低的數位接受較弱的同步訊號.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. 同步閾值. 較低的數位接受較弱的同步訊號. - + Sync 同步 - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>選擇以使用短格式信息.</p></body></html> - + Check to use short-format messages. 選擇以使用短格式信息. - + Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>選擇以開啟 JT9 快速模式</p></body></html> - + Check to enable JT9 fast modes 選擇以開啟 JT9 快速模式 - - + + Fast 快速 - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>選擇以開啟接收到信息自動排序發射信息.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. 選擇以開啟接收到信息自動排序發射信息. - + Auto Seq 自動程序 - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>選擇以呼叫第一個解碼的回應器到我的 CQ.</p></body></html> - + Check to call the first decoded responder to my CQ. 選擇以呼叫第一個解碼的回應我的 CQ. - + Call 1st 呼叫第一個解碼 - + Check to generate "@1250 (SEND MSGS)" in Tx6. 選擇以產生 "@1250 (傳送信息)" 在發射6. - + Tx6 發射6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>選擇發射以偶數分鐘或序列, 從 0 開始; 取消選擇以奇數序列.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. 選擇發射以偶數分鐘或序列, 從 0 開始; 取消選擇以奇數序列. - + Tx even/1st 發射偶數/第一 - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>呼叫CQ 的頻率以 kHz 高於目前的 MHz</p></body></html> - + Frequency to call CQ on in kHz above the current MHz 呼叫CQ 的頻率以 kHz 高於目前的 MHz - + Tx CQ 發射 CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>勾選此項, 以發射CQ呼叫. 接收將在當前頻率上,CQ信息將顯示在當前的接收資訊視窗, 以便呼叫者知道回覆的頻率.</p><p> 不適用於非標準呼號持有者.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. 勾選此項, 以發射CQ呼叫. 接收將在當前頻率上,CQ信息將顯示在當前的接收資訊視窗, 以便呼叫者知道回覆的頻率. 不適用於非標準呼號持有者. - + Rx All Freqs 接收所有頻率 - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>子模式確定音調間距; A 最窄.</p></body></html> - + Submode determines tone spacing; A is narrowest. 子模式確定音調間距; A 最窄. - + Submode 子模式 - - + + Fox 狐狸 - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>選擇以監視速記信息.</p></body></html> - + Check to monitor Sh messages. 選擇以監視速記信息. - + SWL - + Best S+P 最佳 S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>勾選可開始紀錄校準資料.<br/>當測量校準校正被禁用時.<br/>未檢查時您可以查看校準結果.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2593,204 +2721,206 @@ When not checked you can view the calibration results. 未檢查時您可以查看校準結果. - + Measure 測量 - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>信號報告: 參考2500 Hz 頻寬 (dB) 中的信噪比.</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). 信號報告: 參考2500 Hz 頻寬 (dB) 中的信噪比. - + Report 報告 - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>發射/接收 或頻率校準序列長度</p></body></html> - + Tx/Rx or Frequency calibration sequence length 發射/接收 或頻率校準序列長度 - + + s - + + T/R - + Toggle Tx mode 切換發射模式 - + Tx JT9 @ 發射 JT9 @ - + Audio Tx frequency 音訊發射頻率 - - + + Tx 發射 - + Tx# 發射# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>按兩下另一個呼號以排隊呼叫您的下一個通聯.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. 按兩下另一個呼號以排隊呼叫您的下一個通聯. - + Next Call 下一個通聯 - + 1 - - - + + + Send this message in next Tx interval 在下一個發射間隔內發送此信息 - + Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>在下一個發射間隔中傳送此訊息</p><p>按兩下以切換使用 發射 1 訊息以啟動電臺的通聯 (不允許 1 型複合呼叫持有者)<</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) 在下一個發射間隔中傳送此訊息 按兩下以切換使用 發射 1 訊息以啟動電臺的通聯 (不允許 1 型複合呼叫持有者) - + Ctrl+1 - - - - + + + + Switch to this Tx message NOW 立即切換到此發射信息 - + Tx &2 發射 &2 - + Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>立即切換到此發射信息</p><p>按兩下以切換使用 發射 1 訊息以啟動電臺的通聯 (不允許 1 型複合呼叫持有者)</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) 立即切換到此發射信息 按兩下以切換使用 發射 1 訊息以啟動電臺的通聯 (不允許 1 型複合呼叫持有者) - + Tx &1 發射 &1 - + Alt+1 - + Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>在下一個發射間隔內傳送此信息</p><p>雙擊可重置為標準 73 信息</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message 在下一個發射間隔內傳送此信息 雙擊可重置為標準 73 信息 - + Ctrl+5 - + Ctrl+3 - + Tx &3 發射 &3 - + Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>在下一個發射間隔內傳送此信息</p><p>按兩下可在 發射4 中的 RRR 和 RR73 信息之間切換 (不允許類型 2 複合呼叫持有者)</p><p>RR73 信息僅在您有理由相信不需要重複信息時才應使用</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2799,17 +2929,17 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 信息僅在您有理由相信不需要重複信息時才應使用 - + Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>立即切換到此發射信息</p><p>按兩下可在 發射 4 中的 RRR 和 RR73 信息之間切換 (不允許類型 2 複合呼叫持有者)</p><p>RR73 信息僅在您有理由相信不需要重複信息時才應使用</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -2818,65 +2948,64 @@ RR73 messages should only be used when you are reasonably confident that no mess RR73 信息僅在您有理由相信不需要重複信息時才應使用 - + Tx &4 發射 &4 - + Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>立即切换到此发射信息</p><p>雙擊可重置為標準 73 信息</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message 立即切换到此发射信息 雙擊可重置為標準 73 信息 - + Tx &5 發射 &5 - + Alt+5 - + Now 現在 - + Generate standard messages for minimal QSO 產生標準信息用於通聯 - + Generate Std Msgs 產生標準信息 - + Tx &6 發射 &6 - + Alt+6 - - + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -2887,990 +3016,971 @@ list. The list can be maintained in Settings (F2). 清單. 該清單可在設定(F2)中維護. - + Queue up the next Tx message 排到下一個發射信息 - + Next 下一個 - + 2 - + + Quick-Start Guide to FST4 and FST4W + + + + + FST4 + + + + + FST4W + + + Calling CQ - 呼叫 CQ + 呼叫 CQ - Generate a CQ message - 產生CQ信息 + 產生CQ信息 - - - + + CQ - Generate message with RRR - 產生RRR信息 + 產生RRR信息 - - RRR - - - - Generate message with report - 產生報告信息 + 產生報告信息 - dB - 分貝 + 分貝 - Answering CQ - 回答 CQ + 回答 CQ - Generate message for replying to a CQ - 產生信息以回答 CQ + 產生信息以回答 CQ - - + Grid 網格 - Generate message with R+report - 產生 R+ 報告信息 + 產生 R+ 報告信息 - R+dB - R+分貝 + R+分貝 - Generate message with 73 - 產生73信息 + 產生73信息 - - 73 - - - - Send this standard (generated) message - 發送此標准(產生)信息 + 發送此標准(產生)信息 - Gen msg - 產生信息 + 產生信息 - Send this free-text message (max 13 characters) - 發送此自定義文本信息(最多13個字符) + 發送此自定義文本信息(最多13個字符) - Free msg - 自定義文本 + 自定義文本 - - 3 - - - - + Max dB 最大分貝 - + CQ AF CQ 非洲 - + CQ AN CQ 南極 - + CQ AS CQ 亞洲 - + CQ EU CQ 歐洲 - + CQ NA CQ 北美 - + CQ OC CQ 大洋洲 - + CQ SA CQ 南美 - + CQ 0 - + CQ 1 - + CQ 2 - + CQ 3 - + CQ 4 - + CQ 5 - + CQ 6 - + CQ 7 - + CQ 8 - + CQ 9 - + Reset 重置 - + N List N 清單 - + N Slots N 插槽 - - + + + + + + + Random 隨機 - + Call 呼號 - + S/N (dB) 信噪比(分貝) - + Distance 距離 - + More CQs 更多 CQ - Percentage of 2-minute sequences devoted to transmitting. - 用於傳輸的2分鐘序列的百分比. + 用於傳輸的2分鐘序列的百分比. - + + % - + Tx Pct 發射 Pct - + Band Hopping 波段預案 - + Choose bands and times of day for band-hopping. 選擇波段和一天之中的時間進行波段跳躍. - + Schedule ... 時間流程 ... - + Upload decoded messages to WSPRnet.org. 將解碼的信息上載到 WSPRnet.org. - + Upload spots 上傳 spots - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>6 位定位器會導致發送 2 個不同的信息, 第二個包含完整定位器, 但只有哈希呼號,其他電臺必須解碼第一個一次, 然後才能在第二個中解碼您的呼叫. 如果此選項將避免兩個信息協定, 則選中此選項僅發送 4 位定位器.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. 6 位定位器會導致發送 2 個不同的信息, 第二個包含完整定位器, 但只有哈希呼號,其他電臺必須解碼第一個一次, 然後才能在第二個中解碼您的呼叫. 如果此選項將避免兩個信息協定, 則選中此選項僅發送 4 位定位器. - Prefer type 1 messages - 首選類型 1信息 + 首選類型 1信息 - + No own call decodes 沒有自己的呼號解碼 - Transmit during the next 2-minute sequence. - 在接下來的2分鐘序列中輸送. + 在接下來的2分鐘序列中輸送. - + Tx Next 發射下一個信息 - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. 將發射功率設置為 dBm (dB 高於 1 mW) 作為 WSPR 信息的一部分. - + + NB + + + + File 檔案 - + View 顯示 - + Decode 解碼 - + Save 儲存 - + Help 說明 - + Mode 模式 - + Configurations 設定 - + Tools 工具 - + Exit 關閉軟件 - Configuration - 設定檔 + 設定檔 - - F2 - - - - + About WSJT-X 有關 WSJT-X - + Waterfall 瀑布圖 - + Open 開啟檔案 - + Ctrl+O - + Open next in directory 開啟下一個檔案 - + Decode remaining files in directory 開啟剩餘檔案 - + Shift+F6 - + Delete all *.wav && *.c2 files in SaveDir 刪除所有在SaveDir目錄內 *.wav && *.c2 - + None 不儲存 - + Save all 儲存所有 - + Online User Guide 線上使用者指南 - + Keyboard shortcuts 鍵盤快捷鍵 - + Special mouse commands 滑鼠特殊組合 - + JT9 - + Save decoded 儲存解碼 - + Normal 正常 - + Deep 深度 - Monitor OFF at startup - 啟動時關閉監聽 + 啟動時關閉監聽 - + Erase ALL.TXT 刪除 ALL.TXT - + Erase wsjtx_log.adi 刪除通聯日誌 wsjtx_log.adi - Convert mode to RTTY for logging - 將日誌記錄模式轉換為RTTY + 將日誌記錄模式轉換為RTTY - Log dB reports to Comments - 將分貝報告記錄到注釋 + 將分貝報告記錄到注釋 - Prompt me to log QSO - 提示我記錄通聯 + 提示我記錄通聯 - Blank line between decoding periods - 解碼期間之間添加空白行 + 解碼期間之間添加空白行 - Clear DX Call and Grid after logging - 日誌記錄後清除 DX 呼號和網格 + 日誌記錄後清除 DX 呼號和網格 - Display distance in miles - 顯示距離以英里為單位 + 顯示距離以英里為單位 - Double-click on call sets Tx Enable - 雙擊呼號啟用發射 + 雙擊呼號啟用發射 - - + F7 - Tx disabled after sending 73 - 發送 73 後停止發射 + 發送 73 後停止發射 - - + Runaway Tx watchdog 運行發射監管計時器 - Allow multiple instances - 允許多個情況 + 允許多個情況 - Tx freq locked to Rx freq - 發射頻率鎖定到接收頻率 + 發射頻率鎖定到接收頻率 - + JT65 - + JT9+JT65 - Tx messages to Rx Frequency window - 發射信息發送到接收信息窗口 + 發射信息發送到接收信息窗口 - - Gray1 - - - - Show DXCC entity and worked B4 status - 顯示 DXCC 實體和曾經通聯狀態 + 顯示 DXCC 實體和曾經通聯狀態 - + Astronomical data 天文數據 - + List of Type 1 prefixes and suffixes 型態 1 前置碼與後綴清單 - + Settings... 設置... - + Local User Guide 本地使用者指南 - + Open log directory 開啟日誌檔案目錄 - + JT4 - + Message averaging 信息平均值 - + Enable averaging 平均值 - + Enable deep search 開啟深度搜尋 - + WSPR - + Echo Graph 回波圖 - + F8 - + Echo - + EME Echo mode EME 回波模式 - + ISCAT - + Fast Graph 快速圖 - + F9 - + &Download Samples ... 下載樣本(&D) ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>下載演示各種模式的示例音頻檔案.</p></body></html> - + MSK144 - + QRA64 - + Release Notes 發行說明 - + Enable AP for DX Call 開啟 AP 為 DX 呼叫 - + FreqCal - + Measure reference spectrum 測量參考頻譜 - + Measure phase response 測量相位回應 - + Erase reference spectrum 清除參考頻譜 - + Execute frequency calibration cycle 執行頻率校準週期 - + Equalization tools ... 均衡工具 ... - - WSPR-LF - - - - Experimental LF/MF mode - 實驗性 LF/MF 模式 + 實驗性 LF/MF 模式 - + FT8 - - + + Enable AP 開啟 AP - + Solve for calibration parameters 修正參數的解算 - + Copyright notice 版權聲明 - + Shift+F1 - + Fox log 狐狸日誌 - + FT8 DXpedition Mode User Guide FT8 遠征模式使用者指南 - + Reset Cabrillo log ... 重置卡布里略日誌 ... - + Color highlighting scheme 色彩突顯機制 - Contest Log - 競賽日誌 + 競賽日誌 - + Export Cabrillo log ... 匯出卡布里略日誌 ... - Quick-Start Guide to WSJT-X 2.0 - WSJT-X 2.0 快速入門指南 + WSJT-X 2.0 快速入門指南 - + Contest log 競賽日誌 - + Erase WSPR hashtable 擦除 WSPR 哈希表 - + FT4 - + Rig Control Error 無線電設備控制錯誤 - - - + + + Receiving 接收 - + Do you want to reconfigure the radio interface? 是否要重新配置無線電設備接口? - + + %1 (%2 sec) audio frames dropped + + + + + Audio Source + + + + + Reduce system load + + + + + Excessive dropped samples - %1 (%2 sec) audio frames dropped + + + + Error Scanning ADIF Log 掃描 ADIF 紀錄錯誤 - + Scanned ADIF log, %1 worked before records created 掃描 ADIF 紀錄紀錄, %1 建立曾經通聯紀錄 - + Error Loading LotW Users Data 載入 LotW 使用者資料錯誤 - + Error Writing WAV File 寫入 WAV 檔案時錯誤 - + Configurations... 設定檔案... - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Message 信息 - + Error Killing jt9.exe Process 錯誤終止 jt9.exe 程序 - + KillByName return code: %1 按結束名稱返回代碼: %1 - + Error removing "%1" 刪除時出錯誤 "%1" - + Click OK to retry 單擊 確定 重試 - - + + Improper mode 模式不正確 - - + + File Open Error 檔案開啟出錯誤 - - - - - + + + + + Cannot open "%1" for append: %2 無法開啟 "%1" 用於附加: %2 - + Error saving c2 file 保存c2檔案出錯誤 - + Error in Sound Input 聲音輸入出錯誤 - + Error in Sound Output 聲音輸出錯誤 - - - + + + Single-Period Decodes 單週期解碼 - - - + + + Average Decodes 平均解碼 - + Change Operator 變更操作員 - + New operator: 新操作員: - + Status File Error 狀態檔案錯誤 - - + + Cannot open "%1" for writing: %2 無法開啟 "%1" 用於寫入: %2 - + Subprocess Error 子流程出錯誤 - + Subprocess failed with exit code %1 子流程失敗, 退出代碼為 %1 - - + + Running: %1 %2 運行: %1 %2 - + Subprocess error 子進程出錯誤 - + Reference spectrum saved 儲存參考頻譜 - + Invalid data in fmt.all at line %1 在 %1 行中 fmt.all 的不合法資料 - + Good Calibration Solution 良好的校準解決方案 - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -3879,37 +3989,37 @@ list. The list can be maintained in Settings (F2). - + Delete Calibration Measurements 刪除校準測量值 - + The "fmt.all" file will be renamed as "fmt.bak" "fmt.all" 檔案將重新命名為 "fmt.bak" - + No data read from disk. Wrong file format? 沒有從磁盤讀取數據. 檔案格式出錯誤? - + Confirm Delete 確認刪除 - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? 是否確實要刪除所有 *.wav 和 *.c2 檔案在 "%1"? - + Keyboard Shortcuts 鍵盤快捷鍵 - + <table cellspacing=1> <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> @@ -3959,12 +4069,51 @@ list. The list can be maintained in Settings (F2). - + Special Mouse Commands 滑鼠特殊組合 - + + No more files to open. + 沒有要打開的檔. + + + + Spotting to PSK Reporter unavailable + + + + + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. + 請選擇其他發射頻率. WSJT-X 不會故意傳輸另一個模式在 WSPR 30米子波段上. + + + + WSPR Guard Band + WSPR保護波段 + + + + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. + 請選擇其他頻率. WSJT-X 不會運行狐狸模式在標準 FT8 波段. + + + + Fox Mode warning + 狐狸模式警告 + + + + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: + +"The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." + 如果您根據 GNU 通用公共授權條款合理使用 WSJT-X 的任何部分, 則必須在衍生作品中醒目地顯示以下版權聲明: + +"WSJT-X 的演演演算法, 原始碼, 外觀和感覺及相關程式, 和協定規格模式 FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 的版權 (C) 2001-2019 由以下一個或多個作者: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; 和 WSJT 開發組的其他成員." + + + <table cellpadding=5> <tr> <th align="right">Click on</th> @@ -3975,7 +4124,7 @@ list. The list can be maintained in Settings (F2). <td><b>Click</b> to set Rx frequency.<br/> <b>Shift-click</b> to set Tx frequency.<br/> <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> + <b>Double-click</b> to also decode at Rx frequency.<br/> </td> </tr> <tr> @@ -3983,10 +4132,10 @@ list. The list can be maintained in Settings (F2). <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> locator to Dx Grid, change Rx and Tx frequency to<br/> decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> + messages.<br/> + If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> + is your own call, Tx frequency is not changed unless <br/> + <b>Ctrl</b> is held down.<br/> </td> </tr> <tr> @@ -4000,51 +4149,12 @@ list. The list can be maintained in Settings (F2). - - No more files to open. - 沒有要打開的檔. - - - - Spotting to PSK Reporter unavailable - - - - - Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. - 請選擇其他發射頻率. WSJT-X 不會故意傳輸另一個模式在 WSPR 30米子波段上. - - - - WSPR Guard Band - WSPR保護波段 - - - - Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. - 請選擇其他頻率. WSJT-X 不會運行狐狸模式在標準 FT8 波段. - - - - Fox Mode warning - 狐狸模式警告 - - - - If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: - -"The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." - 如果您根據 GNU 通用公共授權條款合理使用 WSJT-X 的任何部分, 則必須在衍生作品中醒目地顯示以下版權聲明: - -"WSJT-X 的演演演算法, 原始碼, 外觀和感覺及相關程式, 和協定規格模式 FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 的版權 (C) 2001-2019 由以下一個或多個作者: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; 和 WSJT 開發組的其他成員." - - - + Last Tx: %1 最後發射: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4055,183 +4165,182 @@ To do so, check 'Special operating activity' and 設置高級選項卡上的 '歐洲 VHF 競賽'. - + Should you switch to ARRL Field Day mode? 是否應切換到 ARRL Field Day 模式? - + Should you switch to RTTY contest mode? 是否應切換到 RTTY 競賽模式? - - - - + + + + Add to CALL3.TXT 添加到 CALL3.TXT - + Please enter a valid grid locator 請輸入有效的網格定位 - + Cannot open "%1" for read/write: %2 無法開啟 "%1" 用於讀/寫: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 已經在 CALL3.TXT, 你想替換它嗎? - + Warning: DX Call field is empty. 警告: DX 呼號欄位為空. - + Log file error 日誌檔案錯誤 - + Cannot open "%1" 無法開啟 "%1" - + Error sending log to N1MM 將日誌傳送到 N1MM 時發生錯誤 - + Write returned "%1" 寫入返回 "%1" - + Stations calling DXpedition %1 呼叫遠征電臺 %1 - + Hound 獵犬 - + Tx Messages 發射信息 - - - + + + Confirm Erase 確認擦除 - + Are you sure you want to erase file ALL.TXT? 是否確實要擦除 ALL.Txt 檔案? - - + + Confirm Reset 確認重置 - + Are you sure you want to erase your contest log? 是否確實要擦除競賽日誌? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. 執行此動作將移除目前競賽的所有通聯記錄. 它們將保留在 ADIF 日誌檔案中, 但無法匯出到您的卡布里略日誌中. - + Cabrillo Log saved 卡布里略日誌已儲存 - + Are you sure you want to erase file wsjtx_log.adi? 是否確實要擦除 wsjtx_log.adi 檔案? - + Are you sure you want to erase the WSPR hashtable? 是否確定要擦除 WSPR 哈希表? - VHF features warning - VHF 功能警告 + VHF 功能警告 - + Tune digital gain 調諧數碼增益 - + Transmit digital gain 傳輸數碼增益 - + Prefixes 前綴 - + Network Error 網路錯誤 - + Error: %1 UDP server %2:%3 錯誤: %1 UDP 服務器 %2:%3 - + File Error 檔案錯誤 - + Phase Training Disabled 關閉階段訓練 - + Phase Training Enabled 開啟階段訓練 - + WD:%1m - - + + Log File Error 日誌檔案錯誤 - + Are you sure you want to clear the QSO queues? 是否要清除通聯佇列? @@ -4253,8 +4362,8 @@ UDP 服務器 %2:%3 Modes - - + + Mode 模式 @@ -4411,7 +4520,7 @@ UDP 服務器 %2:%3 無法開啟 LotW 使用者 CSV 檔案: '%1' - + OOB @@ -4602,7 +4711,7 @@ Error(%2): %3 不可恢復的出錯誤, 音頻輸入設備此時不可用. - + Requested input audio format is not valid. 請求的輸入音頻格式無效. @@ -4612,37 +4721,37 @@ Error(%2): %3 設備不支持請求輸入的音頻格式. - + Failed to initialize audio sink device 無法初始化音頻接收器設備 - + Idle 閑置 - + Receiving 接收 - + Suspended 暫停 - + Interrupted 中斷 - + Error 錯誤 - + Stopped 停止 @@ -4650,62 +4759,67 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. 開啟音頻輸出設備時錯誤. - + An error occurred during write to the audio output device. 寫入音頻輸出設備期間錯誤. - + Audio data not being fed to the audio output device fast enough. 音頻數據未以足夠快的速度饋送到音頻輸出設備. - + Non-recoverable error, audio output device not usable at this time. 不可恢復錯誤, 音頻輸出設備此時不可用. - + Requested output audio format is not valid. 請求的輸出音頻格式無效. - + Requested output audio format is not supported on device. 設備不支持請求輸出的音頻格式. - + + No audio output device configured. + + + + Idle 閑置 - + Sending 發送 - + Suspended 暫停 - + Interrupted 中斷 - + Error 錯誤 - + Stopped 停止 @@ -4713,22 +4827,22 @@ Error(%2): %3 StationDialog - + Add Station 添加電臺 - + &Band: 波段(&B): - + &Offset (MHz): 偏移 (M&Hz): - + &Antenna: 天線(&A): @@ -4918,18 +5032,14 @@ Error(%2): %3 - JT9 - + Hz + 赫茲 - JT65 + Split - - Hz - 赫茲 - Number of FFTs averaged (controls waterfall scrolling rate) @@ -4962,6 +5072,29 @@ Error(%2): %3 讀取調色盤 + + WorkedBefore + + + Invalid ADIF field %0: %1 + + + + + Malformed ADIF field %0: %1 + + + + + Invalid ADIF header + + + + + Error opening ADIF log file for read: %0 + + + configuration_dialog @@ -5160,9 +5293,8 @@ Error(%2): %3 分鐘 - Enable VHF/UHF/Microwave features - 啟用 VHF/UHF/Microwave 功能 + 啟用 VHF/UHF/Microwave 功能 @@ -5279,7 +5411,7 @@ quiet period when decoding is done. - + Port: 端口: @@ -5290,137 +5422,149 @@ quiet period when decoding is done. + Serial Port Parameters 串口參數 - + Baud Rate: 波特率: - + Serial port data rate which must match the setting of your radio. 串行端口數據速率必須與您的無線電設置相匹配. - + 1200 - + 2400 - + 4800 - + 9600 - + 19200 - + 38400 - + 57600 - + 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>用於與無線電設備 CAT 接口通信的數據位數 (通常為 8 ).</p></body></html> - + + Data bits + + + + Data Bits 數據位元 - + D&efault 默認值(&e) - + Se&ven Se&ven 7 - + E&ight E&ight 8 - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>與無線電設備 CAT 接口通信時使用的停止位數</p><p>(詳情請參閱無線電設備手冊).</p></body></html> - + + Stop bits + + + + Stop Bits 停止位元 - - + + Default 默認值 - + On&e On&e 1 - + T&wo T&wo 2 - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>電腦和無線電設備 CAT 接口 之間使用的流量控制協議 (通常是 "None",但有些要求"硬件").</p></body></html> - + + Handshake 握手方式 - + &None 無(&N) - + Software flow control (very rare on CAT interfaces). 軟件控制流 (在CAT接口上非常罕見). - + XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -5429,74 +5573,75 @@ a few, particularly some Kenwood rigs, require it). 很少,特別是一些 健伍無線電設備,需要它). - + &Hardware 硬件(&H) - + Special control of CAT port control lines. 特殊控制的CAT控制線. - + + Force Control Lines 強制控制線 - - + + High - - + + Low - + DTR: - + RTS: - + How this program activates the PTT on your radio? 此程式如何啟動無線電設備上的 PTT? - + PTT Method PTT 方法 - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>如果您沒有無線電設備接口硬件,沒法PTT而是使用無線電設備的自動聲控來發射,請使用此選項.</p></body></html> - + VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>使用 RS-232 DTR 控制線路切換無線電設備的 PTT, 需要硬體來介面線路.</p><p>某些商業介面單元也使用此方法.</p><p>CAT 串列埠的 DTR 控制線路可用於此或可用於其他串行埠上的 DTR 控制線路.</p></body></html> - + &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -5505,47 +5650,47 @@ other hardware interface for PTT. PTT的其它硬件接口. - + C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>使用 RS-232 RTS 控制線路切換無線電設備的 PTT, 需要硬體來介面線路.</p><p>某些商業介面單元也使用此方法.</p><p>CAT 串列埠的 RTS 控制線路可用於此或可能用於其他串行埠上的 RTS 控制線路. 請注意,使用硬體流控制時, CAT 串行埠上不可用此選項.</p></body></html> - + R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>選擇用於 ptt 控制的RS-232 串行端口,當選擇上述DTR或RTS作為發射方法時,此選項可用.此端口可以與用於CAT控制的端口相同.對於某些接口類型,可以選擇特殊值CAT,這用於可以遠程控制串口控制線的非串行CAT接口 (例如 omnirig).</p></body></html> - + Modulation mode selected on radio. 在無線電設備上選擇的調制模式. - + Mode 模式 - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>上邊帶通常是正確的調制模式,除非無線電設備具有用於AFSK操作的特殊數據或數據包模式設置.</p></body></html> - + US&B 上邊帶(&B) - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -5554,23 +5699,23 @@ or bandwidth is selected). 或帶寬). - - + + None - + If this is available then it is usually the correct mode for this program. 如果這是可用的, 那麼它通常是這個程式的正確模式. - + Data/P&kt 數據/封包(&k) - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). @@ -5579,52 +5724,52 @@ this setting allows you to select which audio input will be used (如果可用,則通常 後方/數據 選項是最佳選擇). - + Transmit Audio Source 無線電設備音頻源 - + Rear&/Data 後方&/數據口 - + &Front/Mic 前方/咪高峰(&F) - + Rig: 無線電設備: - + Poll Interval: 時間間隔: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>為軟件與無線電設備溝通的時間間隔.時間間隔較長,意味着對無線電設備的更改需要更長的時間才能檢測到.</p></body></html> - + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>嘗試使用這些設置連接到無線電設備.如果連接成功,該按鈕將變為綠色; 如果有問題,則為紅色.</p></body></html> - + Test CAT 測試 CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -5637,47 +5782,47 @@ radio interface behave as expected. 的任何發射指示是否如預期的那樣. - + Test PTT 測試 PTT - + Split Operation 異頻操作 - + Fake It 虛假 - + Rig 無線電設備 - + A&udio 音頻(&u) - + Audio interface settings 音頻接口設置 - + Souncard 音效卡 - + Soundcard 音效卡 - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -5690,46 +5835,51 @@ transmitting periods. 向外發射輸出. - + + Days since last upload + + + + Select the audio CODEC to use for receiving. 選擇要用於接收的音頻信號. - + &Input: 輸入(&I): - + Select the channel to use for receiving. 選擇要用於接收的通道. - - + + Mono 單聲道 - - + + Left 左聲道 - - + + Right 右聲道 - - + + Both 雙聲道 - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -5740,110 +5890,110 @@ both here. 雙聲道. - + Ou&tput: 輸出(&t): - - + + Save Directory 儲存目錄 - + Loc&ation: 目錄位置(&a): - + Path to which .WAV files are saved. .WAV 檔案被儲存到哪條路徑. - - + + TextLabel - + Click to select a different save directory for .WAV files. 單擊選擇不同的儲存目錄 .WAV 檔案. - + S&elect 選擇(&e) - - + + AzEl Directory AzEl 目錄 - + Location: 位置: - + Select 選擇 - + Power Memory By Band 依頻段記憶功率 - + Remember power settings by band 按頻段功率記憶設定 - + Enable power memory during transmit 在傳輸過程中啟用功率記憶 - + Transmit 發射 - + Enable power memory during tuning 在調諧期間開啟功率記憶 - + Tune 調諧 - + Tx &Macros 自定義文字(&M) - + Canned free text messages setup 設置自定義文字 - + &Add 增加(&A) - + &Delete 删除(&D) - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -5852,37 +6002,37 @@ Click, SHIFT+Click and, CRTL+Click to select items 單擊, SHIFT+單擊 和, CRTL+單擊 以選擇專案 - + Reportin&g 報告(&g) - + Reporting and logging settings 設置日誌和報告 - + Logging 記錄日誌 - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. 當您發送73或自定義文字時,程序將彈出一個部分完成的日誌通聯對話框. - + Promp&t me to log QSO 提示我記錄通聯日誌(&t) - + Op Call: 操作員呼號: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -5893,49 +6043,49 @@ comments field. 注釋字段. - + d&B reports to comments 把d&B報告寫入注釋欄 - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. 選中此選項當發送73或自定義文字信息可強制清除DX呼叫 和DX網格字段. - + Clear &DX call and grid after logging 記錄完成後清除&DX呼號及網格 - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>某些紀錄紀錄程式不接受 WSJT-X 模式名稱.</p></body></html> - + Con&vert mode to RTTY 把日誌記錄轉成&RTTY模式 - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>操作員的呼號 (如果與電臺呼號不同).</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>選擇當完成通聯後, 自動記錄.</p></body></html> - + Log automatically (contesting only) 日誌自記錄 (僅限競赛) - + Network Services 網絡服務 @@ -5950,512 +6100,553 @@ for assessing propagation and system performance. 用於評估傳播和系統性能. - + Enable &PSK Reporter Spotting 啟用&PSK Reporter Spotting - + UDP Server UDP服務器 - + UDP Server: UDP服務器: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>接收解碼的網絡服務的可選主機名稱.</p><p>格式:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">主機名稱</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4多點傳送組地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 多點傳送組地址</li></ul><p>清除此字段將禁用UDP狀態更新的廣播.</p></body></html> - + UDP Server port number: 主要UDP服務器端口: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>輸入 WSJT-X 應向其發送更新的 UDP 伺服器的服務埠號. 如果為零, 將不會廣播任何更新.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>啟用此功能後,WSJT-X 將接受來自接收解碼消息的 UDP 伺服器的某些請求.</p></body></html> - + Accept UDP requests 接受UDP請求 - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>指示接受傳入的 UDP 請求.此選項的效果因操作系統和窗口管理器而異,其目的是通知接受傳入的 UDP 請求,即使此應用程序最小化或隱藏</p></body></html> - + Notify on accepted UDP request 在接受UDP的請求時通知 - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>如果接受 UDP 請求,則從最小化還原窗口.</p></body></html> - + Accepted UDP request restores window 接受UDP請求還原窗口 - + Secondary UDP Server (deprecated) 輔助UDP 伺服器 (已棄用) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>選擇後, WSJT-X 將以 ADIF 格式將記錄的聯絡廣播到設定的主機名稱和埠. </p></body></html> - + Enable logged contact ADIF broadcast 開啟記錄連絡 ADIF 廣播 - + Server name or IP address: 伺服器名稱或 IP 位址: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>N1MM Logger+ 程式可選電腦主機用於接收 ADIF UDP 廣播. 這通常是 'localhost' 或 IP 地址 127.0.0.1</p><p>格式:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">主機名稱</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 多播組地址</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 多播組地址</li></ul><p>清除此欄位將停用透過UDP廣播ADIF資訊.</p></body></html> - + Server port number: 伺服器連接埠號: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>輸入 WSJT-X 應用於 ADIF 日誌資訊的 UDP 廣播的埠號. 對於 N1MM Logger+, 此值應為 2333. 如果為零, 將不會廣播任何更新.</p></body></html> - + Frequencies 頻率 - + Default frequencies and band specific station details setup 設置默認值頻率和帶寬點特定的電臺詳細信息 - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>閱讀 &quot;頻率校準&quot; 在 WSJT-X 使用者指南中, 有關如何確定無線電的這些參數的詳細資訊.</p></body></html> - + Frequency Calibration 頻率校准 - + Slope: 傾斜率: - + ppm - + Intercept: 攔截: - + Hz 赫茲 - + Working Frequencies 工作頻率 - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>右鍵按一下以保持工作頻率清單.</p></body></html> - + Station Information 電臺信息 - + Items may be edited. Right click for insert and delete options. 專案可以編輯 右鍵按下以插入與刪除選項. - + Colors 顏色 - + Decode Highlightling 解碼突出顯示 - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>使用複選框啟用或禁用專案, 並右鍵單擊專案以更改或取消設置前景顏色, 背景顏色, 或將專案重置為預設值. 拖放專案以更改其優先順序, 清單中較高的優先順序較高.</p><p> 請注意,每個前景或背景顏色都可以設置或取消設置, 未設置意味著未為該專案分配該類型, 低優先順序項可能適用.</p></body></html> - + Rescan ADIF Log 重新掃描 ADIF 日誌 - + + Enable VHF and submode features + + + + <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + Use TCP/IP connection - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>推送將上述所有突出顯示項重置為預設值和優先順序.</p></body></html> - + Reset Highlighting 重置突顯顯示 - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>選擇以指示每個模式新的 DXCC 實體, 網格和呼號.</p></body></html> - + Highlight by Mode 依模式突顯 - + Include extra WAE entities 包括額外的 WAE 實體 - + Check to for grid highlighting to only apply to unworked grid fields 檢查到格線突出顯示僅套用於未通聯的網格欄位 - + Only grid Fields sought 只尋求格格欄位 - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>控制 LoTW 使用者查找日誌.</p></body></html> - + Logbook of the World User Validation LoTW 使用者驗證 - + Users CSV file URL: 使用者 CSV 檔案網址: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>ARRL LoTW 使用者上次上傳日期和時間資料檔案的網址, 該檔案用於突出顯示已知將紀錄檔上載到 LoTW 的電臺的解碼.</p></body></html> - + + URL + + + + https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>按下這個按鈕即可取得最新的 LoRW 使用者的上傳日期和時間資料檔.</p></body></html> - + Fetch Now 立即取得 - + Age of last upload less than: 上次上傳的日期小於: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>調整此旋轉框以設定 LoTW 使用者最後一個上傳日期的日期閾值,該日期被接受為當前 LoTW 使用者.</p></body></html> - + days - + Advanced 高級設置 - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>用戶可選參數用於JT65 VHF/UHF/Microwave 的解碼.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters JT65 VHF/UHF/Microwave 解碼參數 - + Random erasure patterns: 隨機擦除模式: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>隨機軟決策 Reed Solomon 解碼器的最大擦除模式數為 10^(n/2).</p></body></html> - + Aggressive decoding level: 主動解碼等級: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>較高的水準會增加解碼的概率,但也會增加錯誤解碼的概率.</p></body></html> - + Two-pass decoding 以二次解碼 - + Special operating activity: Generation of FT4, FT8, and MSK144 messages 特殊操作活動: 產生FT4, FT8 和 MSK144 信息 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>FT8 DX遠征模式呼叫DX的獵犬操作員.</p></body></html> - + + Hound 獵犬 - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>北美 VHF/UHF/Microwave 競賽和其他需要交換的 4 個字元網格定位的競賽.</p></body></html> - + + NA VHF Contest NA VHF 競賽 - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>FT8 DX远征模式: 狐狸 (DX远征) 操作员.</p></body></html> - + + Fox 狐狸 - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>歐洲 VHF+ 競賽需要信號報告, 序列號和 6 個字元定位.</p></body></html> - + + EU VHF Contest EU VHF 競賽 - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup 和類似的比賽. 交換是美國的州, 加拿大省或 &quot;DX&quot;.</p></body></html> - + + R T T Y Roundup + + + + RTTY Roundup messages RTTY Roundup 信息 - + + RTTY Roundup exchange + + + + RTTY RU Exch: RTTY RU 交換: - + NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL Field Day 交換: 發射機數量, 類別別, 和 ARRL/RAC 部份或 &quot;DX&quot;.</p></body></html> - + + A R R L Field Day + + + + ARRL Field Day - + + Field Day exchange + + + + FD Exch: FD 交換: - + 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>世界數字模式競賽</p><p><br/></p></body></html> - + + WW Digital Contest + + + + WW Digi Contest 世界數字競賽 - + Miscellaneous 雜項 - + Degrade S/N of .wav file: 降低信噪比的 .wav文件: - - + + For offline sensitivity tests 用於離線靈敏度測試 - + dB 分貝 - + Receiver bandwidth: 接收器頻寬: - + Hz 赫茲 - + Tx delay: 發射延遲: - + Minimum delay between assertion of PTT and start of Tx audio. PTT 驗證與發射音訊啟動之間的最小延遲. - + s - + + Tone spacing 音調間距 - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>產生具有正常音調間距兩倍的發射音頻. 適用於在產生射頻之前使用除以 2 的特殊 LF/MF 發射器.</p></body></html> - + x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>具有正常音調間距四倍的發射音頻. 適用於在產生射頻之前使用除以 4 的特殊 LF/MF 發射器.</p></body></html> - + x 4 - + + Waterfall spectra 瀑布頻譜 - + Low sidelobes 低側邊 - + Most sensitive 最敏感 - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>放棄 (取消) 或應用 (確定) 設定更改, 包括</p><p>重置無線電介面並套用任何音效卡變更</p></body></html> @@ -6522,12 +6713,12 @@ Right click for insert and delete options. 無法建立共用記憶體段 - + Sub-process error - + Failed to close orphaned jt9 process From 2a1ef287a68992244148be6eaebf9a74a94ea088 Mon Sep 17 00:00:00 2001 From: Joe Taylor Date: Fri, 11 Sep 2020 09:13:11 -0400 Subject: [PATCH 56/59] Add 300 and 400 Hz to the list of available FTol values for FST4. --- widgets/mainwindow.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/widgets/mainwindow.cpp b/widgets/mainwindow.cpp index e98ed8a00..829096681 100644 --- a/widgets/mainwindow.cpp +++ b/widgets/mainwindow.cpp @@ -6506,7 +6506,7 @@ void MainWindow::switch_mode (Mode mode) ui->rptSpinBox->setSingleStep(1); ui->rptSpinBox->setMinimum(-50); ui->rptSpinBox->setMaximum(49); - ui->sbFtol->values ({1, 2, 5, 10, 20, 50, 100, 200, 500, 1000}); + ui->sbFtol->values ({1, 2, 5, 10, 20, 50, 100, 200, 300, 400, 500, 1000}); ui->sbFST4W_FTol->values({1, 2, 5, 10, 20, 50, 100}); if(m_mode=="MSK144") { ui->RxFreqSpinBox->setMinimum(1400); From 6d434b147d065e102a918aa2b55d022023f68f49 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 14:55:25 +0100 Subject: [PATCH 57/59] Japanese l10n updates, tnx to Oba san, JA7UDE --- translations/wsjtx_ja.ts | 193 +++++++++++++++++++++++++++------------ 1 file changed, 134 insertions(+), 59 deletions(-) diff --git a/translations/wsjtx_ja.ts b/translations/wsjtx_ja.ts index 6841f88df..643a3e433 100644 --- a/translations/wsjtx_ja.ts +++ b/translations/wsjtx_ja.ts @@ -479,7 +479,7 @@ Format: Invalid audio output device - + 無効なオーディオ出力デバイス @@ -692,7 +692,8 @@ Format: DX Lab Suite Commander send command failed "%1": %2 - + DX Lab Suite Commanderが "%1": %2コマンドを送れませんでした + DX Lab Suite Commander failed to send command "%1": %2 @@ -2231,17 +2232,17 @@ Error(%2): %3 Percentage of minute sequences devoted to transmitting. - + 送信に費やされた時間のパーセンテージ. Prefer Type 1 messages - + タイプ1メッセージ優先 <html><head/><body><p>Transmit during the next sequence.</p></body></html> - + <html><head/><body><p>次回送信</p></body></html> @@ -2930,17 +2931,17 @@ ENTERを押してテキストを登録リストに追加. Quick-Start Guide to FST4 and FST4W - + FST4とFST4Wのクイックスタートガイド FST4 - + FST4 FST4W - + FST4W Calling CQ @@ -2954,7 +2955,7 @@ ENTERを押してテキストを登録リストに追加. CQ - + CQ Generate message with RRR @@ -3171,102 +3172,102 @@ ENTERを押してテキストを登録リストに追加. 1/2 - 1/2 + 1/2 2/2 - 2/2 + 2/2 1/3 - 1/3 + 1/3 2/3 - 2/3 + 2/3 3/3 - 3/3 + 3/3 1/4 - 1/4 + 1/4 2/4 - 2/4 + 2/4 3/4 - 3/4 + 3/4 4/4 - 4/4 + 4/4 1/5 - 1/5 + 1/5 2/5 - 2/5 + 2/5 3/5 - 3/5 + 3/5 4/5 - 4/5 + 4/5 5/5 - 5/5 + 5/5 1/6 - 1/6 + 1/6 2/6 - 2/6 + 2/6 3/6 - 3/6 + 3/6 4/6 - 4/6 + 4/6 5/6 - 5/6 + 5/6 6/6 - 6/6 + 6/6 @@ -3314,7 +3315,7 @@ ENTERを押してテキストを登録リストに追加. NB - + NB @@ -3779,22 +3780,22 @@ ENTERを押してテキストを登録リストに追加. %1 (%2 sec) audio frames dropped - + %1個 (%2 秒)のオーディオフレームが欠落 Audio Source - + オーディオソース Reduce system load - + システム負荷軽減 Excessive dropped samples - %1 (%2 sec) audio frames dropped - + サンプル大量欠落 - %1個 (%2秒)のオーディオフレームが欠落 @@ -4067,7 +4068,51 @@ ENTERを押してテキストを登録リストに追加. <tr><td><b>Alt+Z </b></td><td>Clear hung decoder status</td></tr> </table> Keyboard shortcuts help window contents - + <table cellspacing=1> + <tr><td><b>Esc </b></td><td>送信中止 QSO終了, 次の送信をクリア</td></tr> + <tr><td><b>F1 </b></td><td>オンラインユーザーガイド (Alt: transmit Tx6)</td></tr> + <tr><td><b>Shift+F1 </b></td><td>著作権表示</td></tr> + <tr><td><b>Ctrl+F1 </b></td><td>WSJT-Xについて</td></tr> + <tr><td><b>F2 </b></td><td>設定ウィンドウを開く (Alt: transmit Tx2)</td></tr> + <tr><td><b>F3 </b></td><td>キーボードショートカットを表示 (Alt: transmit Tx3)</td></tr> + <tr><td><b>F4 </b></td><td>DXコール、グリッド、送信メッセージ1~4をクリア (Alt: transmit Tx4)</td></tr> + <tr><td><b>Alt+F4 </b></td><td>プログラム終了</td></tr> + <tr><td><b>F5 </b></td><td>特別なマウスコマンドを表示 (Alt: transmit Tx5)</td></tr> + <tr><td><b>F6 </b></td><td>ディレクトリ内の次のファイルを開く (Alt: toggle "Call 1st")</td></tr> + <tr><td><b>Shift+F6 </b></td><td>ディレクトリ内の残りのファイルをすべてデコード</td></tr> + <tr><td><b>F7 </b></td><td>メッセージ平均化ウィンドウを表示</td></tr> + <tr><td><b>F11 </b></td><td>受信周波数を1 Hz下げる</td></tr> + <tr><td><b>Ctrl+F11 </b></td><td>送受信周波数を1 Hz下げる</td></tr> + <tr><td><b>Shift+F11 </b></td><td>送信周波数を60 Hz (FT8) または 90 Hz (FT4)下げる</td></tr> + <tr><td><b>Ctrl+Shift+F11 </b></td><td>ダイアル周波数を2000 Hz下げる</td></tr> + <tr><td><b>F12 </b></td><td>受信周波数を1 Hz<上げる/td></tr> + <tr><td><b>Ctrl+F12 </b></td><td>送受信周波数を1 Hz上げる</td></tr> + <tr><td><b>Shift+F12 </b></td><td>送信周波数を60 Hz (FT8) または 90 Hz (FT4)上げる</td></tr> + <tr><td><b>Ctrl+Shift+F12 </b></td><td>ダイアル周波数を2000 Hz上げる</td></tr> + <tr><td><b>Alt+1-6 </b></td><td>この番号をタブ1の送信中番号へセット</td></tr> + <tr><td><b>Ctl+1-6 </b></td><td>この番号をタブ1の次回送信番号へセット</td></tr> + <tr><td><b>Alt+B </b></td><td> "Best S+P" ステータスをトグル</td></tr> + <tr><td><b>Alt+C </b></td><td> "Call 1st" チェックボックスをトグル</td></tr> + <tr><td><b>Alt+D </b></td><td>QSO周波数でもう一度デコード</td></tr> + <tr><td><b>Shift+D </b></td><td>フルデコード(両ウィンドウ)</td></tr> + <tr><td><b>Ctrl+E </b></td><td>TX even/1stをオン</td></tr> + <tr><td><b>Shift+E </b></td><td>TX even/1stをオフ</td></tr> + <tr><td><b>Alt+E </b></td><td>消去</td></tr> + <tr><td><b>Ctrl+F </b></td><td>フリーテキストメッセージボックスを編集</td></tr> + <tr><td><b>Alt+G </b></td><td>標準メッセージを生成</td></tr> + <tr><td><b>Alt+H </b></td><td>送信中断</td></tr> + <tr><td><b>Ctrl+L </b></td><td>データベースでコールサインを検索, 標準メッセージを生成</td></tr> + <tr><td><b>Alt+M </b></td><td>受信</td></tr> + <tr><td><b>Alt+N </b></td><td>送信許可</td></tr> + <tr><td><b>Ctrl+O </b></td><td>.wav ファイルを開く</td></tr> + <tr><td><b>Alt+O </b></td><td>オペレータ交代</td></tr> + <tr><td><b>Alt+Q </b></td><td>QSOをログイン</td></tr> + <tr><td><b>Ctrl+R </b></td><td>Tx4 メッセージをRRRに(FT4以外)</td></tr> + <tr><td><b>Alt+R </b></td><td>Tx4 メッセージをRR73に</td></tr> + <tr><td><b>Alt+S </b></td><td>受信停止</td></tr> + <tr><td><b>Alt+T </b></td><td>Tune ステータスをトグル</td></tr> + <tr><td><b>Alt+Z </b></td><td>デコードステータスをクリア</td></tr> +</table> @@ -4108,7 +4153,37 @@ ENTERを押してテキストを登録リストに追加. </tr> </table> Mouse commands help window contents - + <table cellpadding=5> + <tr> + <th align="right">クリック</th> + <th align="left">動作</th> + </tr> + <tr> + <td align="right">ウォーターフォール:</td> + <td><b>クリックし</b>受信周波数をセット.<br/> + <b>シフトを押しながらクリックし</b>送信周波数をセット.<br/> + <b>コントロールを押しながらクリック</b> または <b>右クリックし</b>送信受信周波数をセット.<br/> + <b>ダブルクリック</b>受信周波数でデコード.<br/> + </td> + </tr> + <tr> + <td align="right">デコードされたテキスト:</td> + <td><b>ダブルクリックし</b>2番めのコールをDxコールにセット,<br/> + ロケータをDxグリッドにセット, 送受信周波数を<br/> + デコードした周波数にセット, さらに標準メッセージを<br/> + 生成.<br/> + もし <b>Hold Tx Freq</b> がチェックされているか、メッセージの最初のコールが<br/> + あなたのコールの場合は送信周波数変化なし <br/> + <b>コントロールキー</b> が押されていれば変化する.<br/> + </td> + </tr> + <tr> + <td align="right">消去ボタン:</td> + <td><b>クリックして</b>QSOウィンドウをクリア.<br/> + <b>ダブルクリックして</b>QSOウィンドウとバンドアクティビティウィンドウをクリア. + </td> + </tr> +</table> @@ -4118,7 +4193,7 @@ ENTERを押してテキストを登録リストに追加. Spotting to PSK Reporter unavailable - + 現在PSK Reporterにスポットできません @@ -4778,7 +4853,7 @@ Error(%2): %3 No audio output device configured. - + オーディオ出力デバイスが設定されていません. @@ -5021,12 +5096,12 @@ Error(%2): %3 Hz - Hz + Hz Split - + スプリット JT9 @@ -5073,22 +5148,22 @@ Error(%2): %3 Invalid ADIF field %0: %1 - + 無効なADIFフィールド %0: %1 Malformed ADIF field %0: %1 - + 不正フォーマットADIFフィールド %0: %1 Invalid ADIF header - + 無効なADIFヘッダー Error opening ADIF log file for read: %0 - + ADIFログファイルを開けません: %0 @@ -5479,7 +5554,7 @@ quiet period when decoding is done. Data bits - + データビット @@ -5509,7 +5584,7 @@ quiet period when decoding is done. Stop bits - + ストップビット @@ -5831,7 +5906,7 @@ transmitting periods. Days since last upload - + 最後にアップロードしてから経過した日数 @@ -5885,7 +5960,7 @@ both here. Enable VHF and submode features - + VHFとサブモード機能をオン @@ -6090,7 +6165,7 @@ and DX Grid fields when a 73 or free text message is sent. <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + <html><head/><body><p>貴局の詳細、及びグリッドスクエアを含む全てのデコードした信号を http://pskreporter.info web siteへスポットできます.</p><p>これは、リバースビーコンの解析に使用され、電波伝搬の評価に大変役立ちます.</p></body></html> The program can send your station details and all @@ -6110,12 +6185,12 @@ for assessing propagation and system performance. <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + <html><head/><body><p>確実な通信が必要なときだけ、このオプションをチェックします</p><p>殆どのユーザー環境では、UDPで十分かつ効率がよいため、チェックする必要はありません. PSK ReporterへのUDPトラフィックが不安定であるという確信があるときのみチェックしてください.</p></body></html> Use TCP/IP connection - + TCP/IP接続を仕様 @@ -6352,7 +6427,7 @@ Right click for insert and delete options. URL - + URL @@ -6482,7 +6557,7 @@ Right click for insert and delete options. R T T Y Roundup - + R T T Y ラウンドアップ @@ -6492,7 +6567,7 @@ Right click for insert and delete options. RTTY Roundup exchange - + RTTYラウンドアップコンテストナンバー @@ -6513,7 +6588,7 @@ Right click for insert and delete options. A R R L Field Day - + A R R L フィールドデー @@ -6523,7 +6598,7 @@ Right click for insert and delete options. Field Day exchange - + フィールドデーコンテストナンバー @@ -6543,7 +6618,7 @@ Right click for insert and delete options. WW Digital Contest - + WWデジタルコンテスト @@ -6748,12 +6823,12 @@ Right click for insert and delete options. Sub-process error - + サブプロセスエラー Failed to close orphaned jt9 process - + jt9の孤立したプロセスを終了できません From 5c05cd2acb6b0c3dcf051ea71877f5f9f359be52 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 14:56:42 +0100 Subject: [PATCH 58/59] =?UTF-8?q?Spanish=20l10n=20updates,=20tnx=20to=20C?= =?UTF-8?q?=C3=A9dric,=20EA4AC?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- translations/wsjtx_es.ts | 2200 ++++++++++++++++---------------------- 1 file changed, 928 insertions(+), 1272 deletions(-) diff --git a/translations/wsjtx_es.ts b/translations/wsjtx_es.ts index 1302c2bda..658a05624 100644 --- a/translations/wsjtx_es.ts +++ b/translations/wsjtx_es.ts @@ -150,19 +150,19 @@ Datos Astronómicos - + Doppler Tracking Error Error de seguimiento de Doppler Seguimiento de error Doppler - + Split operating is required for Doppler tracking Se requiere un funcionamiento dividido para el seguimiento Doppler Operación en "Split" es requerida para seguimiento Doppler - + Go to "Menu->File->Settings->Radio" to enable split operation Ves a "Menú-> Archivo-> Configuración-> Radio" para habilitar la operación dividida Ir a "Menú - Archivo - Ajustes - Radio" para habilitar la operación en "Split" @@ -171,33 +171,33 @@ Bands - + Band name Nombre de la Banda Nombre de la banda - + Lower frequency limit Límite de frecuencia inferior - + Upper frequency limit Límite de frecuencia superior - + Band Banda - + Lower Limit Límite inferior - + Upper Limit Limite superior @@ -404,81 +404,81 @@ Configuration::impl - - - + + + &Delete &Borrar - - + + &Insert ... &Introducir ... &Agregar... - + Failed to create save directory No se pudo crear el directorio para guardar No se pudo crear el directorio "Save" - + path: "%1% ruta: "%1% - + Failed to create samples directory No se pudo crear el directorio de ejemplos No se pudo crear el directorio "Samples" - + path: "%1" ruta: "%1" - + &Load ... &Carga ... &Cargar ... - + &Save as ... &Guardar como ... &Guardar como ... - + &Merge ... &Fusionar ... &Fusionar ... - + &Reset &Reiniciar - + Serial Port: Puerto Serie: - + Serial port used for CAT control Puerto serie utilizado para el control CAT - + Network Server: Servidor de red: - + Optional hostname and port of network service. Leave blank for a sensible default on this machine. Formats: @@ -499,12 +499,12 @@ Formatos: [dirección IPv6]:port - + USB Device: Dispositivo USB: - + Optional device identification. Leave blank for a sensible default for the rig. Format: @@ -519,177 +519,172 @@ Formato: [VID[:PID[:VENDOR[:PRODUCT]]]] - - + Invalid audio input device El dispositivo de entrada de audio no es válido Dispositivo de entrada de audio no válido + Invalid audio out device El dispositivo de salida de audio no es válido - Dispositivo de salida de audio no válido + Dispositivo de salida de audio no válido - - Invalid audio output device - - - - + Invalid PTT method El método de PTT no es válido Método PTT no válido - + Invalid PTT port El puerto del PTT no es válido Puerto PTT no válido - - + + Invalid Contest Exchange Intercambio de concurso no válido - + You must input a valid ARRL Field Day exchange Debes introducir un intercambio de Field Day del ARRL válido Debe introducir un intercambio válido para el ARRL Field Day - + You must input a valid ARRL RTTY Roundup exchange Debes introducir un intercambio válido de la ARRL RTTY Roundup Debe introducir un intercambio válido para el ARRL RTTY Roundup - + Reset Decode Highlighting Restablecer Resaltado de Decodificación Restablecer resaltado de colores de decodificados - + Reset all decode highlighting and priorities to default values Restablecer todo el resaltado y las prioridades de decodificación a los valores predeterminados Restablecer todo el resaltado de colores y prioridades a los valores predeterminados - + WSJT-X Decoded Text Font Chooser Tipo de texto de pantalla de descodificación WSJT-X Seleccionar un tipo de letra - + Load Working Frequencies Carga las frecuencias de trabajo Cargar las frecuencias de trabajo - - - + + + Frequency files (*.qrg);;All files (*.*) Archivos de frecuencia (*.qrg);;Todos los archivos (*.*) - + Replace Working Frequencies Sustituye las frecuencias de trabajo Sustituir las frecuencias de trabajo - + Are you sure you want to discard your current working frequencies and replace them with the loaded ones? ¿Seguro que quieres descartar tus frecuencias actuales de trabajo y reemplazarlas por las cargadas? ¿Seguro que quiere descartar las frecuencias de trabajo actuales y reemplazarlas por las cargadas? - + Merge Working Frequencies Combinar las frecuencias de trabajo Combina las frecuencias de trabajo - - - + + + Not a valid frequencies file El archivo de frecuencias no es válido Archivo de frecuencias no válido - + Incorrect file magic Archivo mágico incorrecto - + Version is too new La versión es demasiado nueva - + Contents corrupt contenidos corruptos Contenido corrupto - + Save Working Frequencies Guardar las frecuencias de trabajo - + Only Save Selected Working Frequencies Guarda sólo las frecuencias de trabajo seleccionadas Sólo guarda las frecuencias de trabajo seleccionadas - + Are you sure you want to save only the working frequencies that are currently selected? Click No to save all. ¿Seguro que quieres guardar sólo las frecuencias de trabajo seleccionadas actualmente? Haz clic en No para guardar todo. ¿Seguro que quiere guardar sólo las frecuencias de trabajo seleccionadas actualmente? Clic en No para guardar todo. - + Reset Working Frequencies Reiniciar las frecuencias de trabajo - + Are you sure you want to discard your current working frequencies and replace them with default ones? ¿Seguro que quieres descartar tus frecuencias actuales de trabajo y reemplazarlas por otras? ¿Seguro que quiere descartar las frecuencias de trabajo actuales y reemplazarlas por las de defecto? - + Save Directory Guardar directorio Directorio "Save" - + AzEl Directory Directorio AzEl - + Rig control error Error de control del equipo - + Failed to open connection to rig No se pudo abrir la conexión al equipo Fallo al abrir la conexión al equipo - + Rig failure Fallo en el equipo @@ -769,14 +764,9 @@ Formato: - DX Lab Suite Commander send command failed "%1": %2 - - - - DX Lab Suite Commander failed to send command "%1": %2 - DX Lab Suite Commander ha fallado al enviar el comando "%1": %2 + DX Lab Suite Commander ha fallado al enviar el comando "%1": %2 @@ -999,12 +989,12 @@ Formato: File - Archivo + Archivo Progress - + Progreso @@ -1199,7 +1189,7 @@ Error: %2 - %3 Equalization Tools - + Herramientas de Ecualización @@ -1586,23 +1576,23 @@ Error: %2 - %3 FrequencyDialog - + Add Frequency Agregar frecuencia Añadir frecuencia - + IARU &Region: &Región IARU: - + &Mode: &Modo: - + &Frequency (MHz): &Frecuencia en MHz: &Frecuencia (MHz): @@ -1611,26 +1601,26 @@ Error: %2 - %3 FrequencyList_v2 - - + + IARU Region Región IARU - - + + Mode Modo - - + + Frequency Frecuencia - - + + Frequency (MHz) Frecuencia en MHz Frecuencia (MHz) @@ -1645,7 +1635,6 @@ Error: %2 - %3 No se pudo conectar a Ham Radio Deluxe Fallo al conectar con el Ham Radio Deluxe - @@ -1743,7 +1732,7 @@ Error: %2 - %3 Hamlib settings file error: %1 at character offset %2 Error de archivo de configuración de Hamlib:%1 en el desplazamiento de caracteres %2 - Error en archivo de configuración de Hamlib:%1 en el desplazamiento de caracteres %2 + Error en archivo de configuración de Hamlib:%1 en el desplazamiento de caracteres %2 @@ -1936,18 +1925,21 @@ Error: %2 - %3 HelpTextWindow + Help file error Error del archivo de ayuda - Error en el archivo de ayuda + Error en el archivo de ayuda + Cannot open "%1" for reading No se puede abrir "%1" para leer - No se puede abrir "%1" para lectura + No se puede abrir "%1" para lectura + Error: %1 - Error: %1 + Error: %1 @@ -1955,22 +1947,22 @@ Error: %2 - %3 All - + Todas Region 1 - + Región 1 Region 2 - + Región 2 Region 3 - + Región 3 @@ -2079,97 +2071,97 @@ Error: %2 - %3 Prop Mode - + Modo de Propagación Aircraft scatter - + Scatter por aeronaves Aurora-E - + Aurora-E Aurora - + Aurora Back scatter - + Back scatter Echolink - + Echolink Earth-moon-earth - + Tierra-Luna-Tierra Sporadic E - + Esporádica E F2 Reflection - + Reflección F2 Field aligned irregularities - + Irregularidades alineadas de campo Internet-assisted - + Asistido por Internet Ionoscatter - + Scatter Ionosférico IRLP - + IRLP Meteor scatter - + Meteor scatter Non-satellite repeater or transponder - + Repetidor o transponder sin satelite Rain scatter - + Scatter por lluvia Satellite - + Satelite Trans-equatorial - + Transecuatorial Troposheric ducting - + Conductos troposfericos @@ -2278,13 +2270,12 @@ Error(%2): %3 - - - - - - - + + + + + + Band Activity Actividad en la banda @@ -2296,12 +2287,11 @@ Error(%2): %3 - - - - - - + + + + + Rx Frequency Frecuencia de RX @@ -2339,150 +2329,135 @@ Error(%2): %3 Activa/Desactiva la monitorización - + &Monitor &Monitor - + <html><head/><body><p>Erase right window. Double-click to erase both windows.</p></body></html> <html><head/><body><p>Borrar ventana derecha. Haz doble clic para borrar ambas ventanas.</p></body></html> - <html><head/><body><p>Clic para borrar ventana derecha.</p><p> Doble clic para borrar ambas ventanas.</p></body></html> + <html><head/><body><p>Clic para borrar ventana derecha.</p><p> Doble clic para borrar ambas ventanas.</p></body></html> - + Erase right window. Double-click to erase both windows. Borrar ventana derecha. Haz doble clic para borrar ambas ventanas. Borra ventana derecha. Doble clic para borrar ambas ventanas. - + &Erase &Borrar - + <html><head/><body><p>Clear the accumulating message average.</p></body></html> <html><head/><body><p>Borrar el promedio de mensajes acumulados.</p></body></html> - <html><head/><body><p>Borrar el promedio de mensajes acumulados.</p></body></html> + <html><head/><body><p>Borrar el promedio de mensajes acumulados.</p></body></html> - + Clear the accumulating message average. - Borrar el promedio de mensajes acumulados. + Borrar el promedio de mensajes acumulados. - + Clear Avg Borrar media - + <html><head/><body><p>Decode most recent Rx period at QSO Frequency</p></body></html> <html><head/><body><p>Decodificar el período de RX más reciente en la frecuencia QSO</p></body></html> <html><head/><body><p>Decodifica el período de RX más reciente en la frecuencia del QSO</p></body></html> - + Decode most recent Rx period at QSO Frequency Decodificar el período de RX más reciente en la frecuencia QSO - Decodifica el período más reciente de RX en la frecuencia del QSO + Decodifica el período más reciente de RX en la frecuencia del QSO - + &Decode &Decodificar &Decodifica - + <html><head/><body><p>Toggle Auto-Tx On/Off</p></body></html> <html><head/><body><p>Activar/desactivar TX</p></body></html> <html><head/><body><p>Activar/Desactivar TX</p></body></html> - + Toggle Auto-Tx On/Off Activar/desactivar TX Activa/Desactiva Auto-TX - + E&nable Tx &Activar TX - + Stop transmitting immediately Detiene TX inmediatamente Detener TX inmediatamente - + &Halt Tx &Detener TX - + <html><head/><body><p>Toggle a pure Tx tone On/Off</p></body></html> <html><head/><body><p>Activar/desactivar un tono de transmisión puro</p></body></html> <html><head/><body><p>Activa/Desactiva la transmisión de un tono continuo</p></body></html> - + Toggle a pure Tx tone On/Off Activar/desactivar un tono de transmisión puro Activar/Desactivar TX con tono continuo - + &Tune &Tono TX - + Menus Menús - - Percentage of minute sequences devoted to transmitting. - - - - - Prefer Type 1 messages - - - - - <html><head/><body><p>Transmit during the next sequence.</p></body></html> - - - - + USB dial frequency Frecuencia de dial USB - + 14.078 000 14.078 000 - + <html><head/><body><p>30dB recommended when only noise present<br/>Green when good<br/>Red when clipping may occur<br/>Yellow when too low</p></body></html> <html><head/><body><p>30dB recomendado cuando solo hay ruido presente,<br/>Verde cuando el nivel es bueno,<br/>Rojo cuando puede ocurrir recortes y<br/>Amarillo cuando esta muy bajo.</p></body></html> <html><head/><body><p>30 dB recomendado cuando solo hay ruido presente.<br>Verde: Nivel de audio aceptable.<br>Rojo: Pueden ocurrir fallos de audio.<br>Amarillo: Nivel de audio muy bajo.</p></body></html> - + Rx Signal Señal de RX Señal RX - + 30dB recommended when only noise present Green when good Red when clipping may occur @@ -2497,316 +2472,310 @@ Rojo pueden ocurrir fallos de audio Amarillo cuando esta muy bajo. - + DX Call Indicativo DX - + DX Grid Locator/Grid DX Locator DX - + Callsign of station to be worked Indicativo de la estación a trabajar - + Search for callsign in database Buscar el indicativo en la base de datos (CALL3.TXT) - + &Lookup &Buscar - + Locator of station to be worked Locator/Grid de la estación a trabajar Locator de la estación a trabajar - + Az: 251 16553 km Az: 251 16553 km - + Add callsign and locator to database Agregar indicativo y locator/Grid a la base de datos Agregar indicativo y locator a la base de datos (CALL3.TXT) - + Add Agregar - + Pwr Potencia - + <html><head/><body><p>If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode.</p></body></html> <html><head/><body><p>Si ha habido un error en el control del equipo, haz clic para restablecer y leer la frecuencia del dial. S implica modo dividido o split.</p></body></html> - <html><head/><body><p>Si está naranja o rojo, ha habido un error en el control del equipo</p><p>Clic para reiniciar y leer la frecuencia del dial. </p><p>S indica modo "Split".</p></body></html> + <html><head/><body><p>Si está naranja o rojo, ha habido un error en el control del equipo</p><p>Clic para reiniciar y leer la frecuencia del dial. </p><p>S indica modo "Split".</p></body></html> - + If orange or red there has been a rig control failure, click to reset and read the dial frequency. S implies split mode. Si ha habido un error en el control del equipo, haz clic para restablecer y leer la frecuencia del dial. S implica modo dividido o split. Si está naranja o rojo, ha habido un error en el control del equipo, clic para restablecer y leer la frecuencia del dial. S indica "Split". - + ? ? - + Adjust Tx audio level Ajuste del nivel de audio de TX Ajustar nivel de audio de TX - + <html><head/><body><p>Select operating band or enter frequency in MHz or enter kHz increment followed by k.</p></body></html> <html><head/><body><p>Selecciona la banda operativa, introduce la frecuencia en MHz o introduce el incremento de kHz seguido de k.</p></body></html> <html><head/><body><p>Selecciona la banda, o escriba la frecuencia en MHz o escriba el incremento en kHz seguido de k.</p></body></html> - + Frequency entry Frecuencia de entrada - + Select operating band or enter frequency in MHz or enter kHz increment followed by k. Selecciona la banda operativa, introduce la frecuencia en MHz o introduce el incremento de kHz seguido de k. Selecciona la banda o introduce la frecuencia en MHz o ecribe el incremento en kHz seguido de la letra k. - + <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> <html><head/><body><p align="center"> 2015 Jun 17 </p><p align="center"> 01:23:45 </p></body></html> - + <html><head/><body><p>Check to keep Tx frequency fixed when double-clicking on decoded text.</p></body></html> <html><head/><body><p>Marca para mantener fija la frecuencia de transmisión al hacer doble clic en el texto decodificado.</p></body></html> <html><head/><body><p>Marcar para mantener fija la frecuencia de TX al hacer doble clic en el texto decodificado.</p></body></html> - + Check to keep Tx frequency fixed when double-clicking on decoded text. Marca para mantener fija la frecuencia de transmisión al hacer doble clic en el texto decodificado. Marcar para mantener fija la frecuencia de TX al hacer doble clic en un texto decodificado. - + Hold Tx Freq Mantén TX Freq Mantener Frec. TX - + Audio Rx frequency Frecuencia de audio en RX Frecuencia de RX - - - - - + + + Hz Hz - - + Rx RX - - + Set Tx frequency to Rx Frequency Coloca la frecuencia de RX en la de TX Coloca la frecuencia de TX en la de RX - + - + Frequency tolerance (Hz) Frecuencia de tolerancia (Hz) - - + F Tol F Tol - - + Set Rx frequency to Tx Frequency Coloca la frecuencia de TX en la de RX Coloca la frecuencia de RX en la de TX - + - + <html><head/><body><p>Synchronizing threshold. Lower numbers accept weaker sync signals.</p></body></html> <html><head/><body><p>Umbral de sincronización. Los números más bajos aceptan señales de sincronización más débiles.</p></body></html> - + Synchronizing threshold. Lower numbers accept weaker sync signals. Umbral de sincronización. Los números más bajos aceptan señales de sincronización más débiles. - + Sync Sinc - + <html><head/><body><p>Check to use short-format messages.</p></body></html> <html><head/><body><p>Marca para usar mensajes de formato corto.</p></body></html> <html><head/><body><p>Marcar para usar mensajes de formato corto.</p></body></html> - + Check to use short-format messages. Marcar para usar mensajes de formato corto. Marca para usar mensajes de formato corto. - + Sh Sh - + <html><head/><body><p>Check to enable JT9 fast modes</p></body></html> <html><head/><body><p>Marca para habilitar los modos rápidos JT9</p></body></html> <html><head/><body><p>Marcar para habilitar los modos rápidos JT9</p></body></html> - + Check to enable JT9 fast modes Marca para habilitar los modos rápidos JT9 Marcar para habilitar los modos rápidos JT9 - - + + Fast Rápido - + <html><head/><body><p>Check to enable automatic sequencing of Tx messages based on received messages.</p></body></html> <html><head/><body><p>Marca para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos.</p></body></html> <html><head/><body><p>Marcar para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos.</p></body></html> - + Check to enable automatic sequencing of Tx messages based on received messages. Marca para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos. Marcar para habilitar la secuencia automática de mensajes de TX en función de los mensajes recibidos. - + Auto Seq Secuencia Automática Secuencia Auto. - + <html><head/><body><p>Check to call the first decoded responder to my CQ.</p></body></html> <html><head/><body><p>Responde al 1er. CQ decodificado.</p></body></html> <html><head/><body><p>Marcar para responder a la 1ra estación decodificada.</p></body></html> - + Check to call the first decoded responder to my CQ. Responde al 1er. CQ decodificado. Marcar para responder al 1ra. estación decodificada. - + Call 1st Responde al 1er. CQ 1er decodificado - + Check to generate "@1250 (SEND MSGS)" in Tx6. Marcar para generar "@1250 (SEND MSGS)" en TX6. - + Tx6 TX6 - + <html><head/><body><p>Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences.</p></body></html> <html><head/><body><p>Marca a TX en minutos o secuencias de números pares, a partir de 0; desmarca las secuencias impares.</p></body></html> <html><head/><body><p>Marcar para transmitir en secuencias o minutos pares, comenzando por 0; desmarca para transmitir en las secuencias o minutos impares.</p></body></html> - + Check to Tx in even-numbered minutes or sequences, starting at 0; uncheck for odd sequences. Marca a TX en minutos o secuencias de números pares, a partir de 0; desmarca las secuencias impares. Marcar para transmitir en secuencias o minutos pares, comenzando por 0; desmarca para transmitir en las secuencias o minutos impares. - + Tx even/1st Alternar periodo TX Par/Impar TX segundo par - + <html><head/><body><p>Frequency to call CQ on in kHz above the current MHz</p></body></html> <html><head/><body><p>Frecuencia para llamar a CQ en kHz por encima del MHz actual</p></body></html> <html><head/><body><p>Frecuencia para llamar CQ en kHz por sobre el MHz actual</p></body></html> - + Frequency to call CQ on in kHz above the current MHz Frecuencia para llamar a CQ en kHz por encima del MHz actual Frecuencia para llamar CQ en kHz por encima del MHz actual - + Tx CQ TX CQ - + <html><head/><body><p>Check this to call CQ on the &quot;Tx CQ&quot; frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on.</p><p>Not available to nonstandard callsign holders.</p></body></html> <html><head/><body><p>Marca esto para llamar a CQ en la frecuencia&quot;TX CQ&quot;. RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder.</p><p>No está disponible para los titulares de indicativo no estándar.</p></body></html> <html><head/><body><p>Marcar para llamar CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder.</p><p>No está disponible para los titulares de indicativo no estándar.</p></body></html> - + Check this to call CQ on the "Tx CQ" frequency. Rx will be on the current frequency and the CQ message wiill include the current Rx frequency so callers know which frequency to reply on. Not available to nonstandard callsign holders. Marca esto para llamar a CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder. @@ -2814,63 +2783,63 @@ No está disponible para los titulares de indicativo no estándar.Marcar para llamar CQ en la frecuencia "TX CQ". RX será a la frecuencia actual y el mensaje CQ incluirá la frecuencia de RX actual para que los corresponsales sepan en qué frecuencia responder. No está disponible para los titulares de indicativo no estándar. - + Rx All Freqs RX en todas las frecuencias - + <html><head/><body><p>Submode determines tone spacing; A is narrowest.</p></body></html> <html><head/><body><p>El submodo determina el espaciado de tono; "A" es más estrecho.</p></body></html> - + Submode determines tone spacing; A is narrowest. El submodo determina el espaciado de tono; "A" es más estrecho. - + Submode Submodo - - + + Fox Fox "Fox" - + <html><head/><body><p>Check to monitor Sh messages.</p></body></html> <html><head/><body><p>Marca para monitorear los mensajes Sh.</p></body></html> <html><head/><body><p>Marcar para escuchar los mensajes Sh.</p></body></html> - + Check to monitor Sh messages. Marca para monitorear los mensajes Sh. Marcar para escuchar los mensajes Sh. - + SWL SWL - + Best S+P El mejor S+P - S+P + S+P - + <html><head/><body><p>Check this to start recording calibration data.<br/>While measuring calibration correction is disabled.<br/>When not checked you can view the calibration results.</p></body></html> <html><head/><body><p>Marca para comenzar a registrar los datos de calibración.<br/>Mientras se mide la corrección de calibración, se desactiva.<br/>Cuando no está marcado, puedes ver los resultados de la calibración.</p></body></html> <html><head/><body><p>Marcar para comenzar a grabar los datos de calibración.<br/>Mientras se mide, la corrección de calibración está desactivada.<br/>Cuando no está marcado, puede verse los resultados de la calibración.</p></body></html> - + Check this to start recording calibration data. While measuring calibration correction is disabled. When not checked you can view the calibration results. @@ -2882,123 +2851,121 @@ Mientras se mide, la corrección de calibración está desactivada. Cuando no está marcado, puede verse los resultados de la calibración. - + Measure Medida - + <html><head/><body><p>Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB).</p></body></html> <html><head/><body><p>Informe de señal: relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB).</p></body></html> <html><head/><body><p>Reporte de señal: Relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB).</p></body></html> - + Signal report: Signal-to-noise ratio in 2500 Hz reference bandwidth (dB). Informe de señal: relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB). Reporte de señal: Relación señal/ruido en ancho de banda de referencia de 2500 Hz (dB). - + Report No -> Señal de Recepción Reporte - + <html><head/><body><p>Tx/Rx or Frequency calibration sequence length</p></body></html> <html><head/><body><p>Tx/Rx o longitud de secuencia de calibración de frecuencia</p></body></html> - <html><head/><body><p>TX/RX o longitud de secuencia de calibración de frecuencia</p></body></html> + <html><head/><body><p>TX/RX o longitud de secuencia de calibración de frecuencia</p></body></html> - + Tx/Rx or Frequency calibration sequence length Tx/Rx o longitud de secuencia de calibración de frecuencia - TX/RX o longitud de secuencia de calibración de frecuencia + TX/RX o longitud de secuencia de calibración de frecuencia - - + s s - - + T/R T/R - + Toggle Tx mode Conmuta el modo TX Conmuta modo TX - + Tx JT9 @ TX JT9 @ - + Audio Tx frequency Frecuencia de audio de TX Frecuencia de TX - - + + Tx TX - + Tx# TX# - + <html><head/><body><p>Double-click on another caller to queue that call for your next QSO.</p></body></html> <html><head/><body><p>Haz doble clic en otro indicativo que llama para poner en la cola esa llamada para tú siguiente QSO.</p></body></html> <html><head/><body><p>Doble clic en otra estación llamando para poner en la cola ese indicativo para tu siguiente QSO.</p></body></html> - + Double-click on another caller to queue that call for your next QSO. Haz doble clic en otro indicativo que llama para poner en la cola esa llamada para tú siguiente QSO. Doble clic en otra estación llamando para poner en la cola ese indicativo para tu siguiente QSO. - + Next Call Siguiente Indicativo - + 1 1 - - - + + + Send this message in next Tx interval Enviar este mensaje en el siguiente intervalo de transmisión Enviar este mensaje en el siguiente intervalo de TX - + Ctrl+2 Ctrl+2 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de transmisión.</p><p>Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de TX.</p><p>Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> - + Send this message in next Tx interval Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Enviar este mensaje en el siguiente intervalo de transmisión. @@ -3006,37 +2973,37 @@ Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una Enviar este mensaje en el siguiente intervalo de TX. Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1). - + Ctrl+1 Ctrl+1 - - - - + + + + Switch to this Tx message NOW Cambia a este mensaje de TX AHORA Cambiar a este mensaje de TX AHORA - + Tx &2 TX &2 - + Alt+2 Alt+2 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders)</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1).</p></body></html> - + Switch to this Tx message NOW Double click to toggle the use of the Tx1 message to start a QSO with a station (not allowed for type 1 compound call holders) Cambia a este mensaje de TX AHORA. @@ -3044,78 +3011,78 @@ Haz doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una Cambiar a este mensaje de TX AHORA.Doble clic para alternar el uso del mensaje TX1 para iniciar un QSO con una estación (no está permitido para titulares de indicativos compuestos de tipo 1) - + Tx &1 Tx &1 - + Alt+1 Alt+1 - + Ctrl+6 Ctrl+6 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de transmisión</p><p>Haz doble clic para restablecer el mensaje estándar 73.</p></body></html> <html><head/><body><p>Enviar este mensaje en el siguiente intervalo de TX</p><p>Doble clic para restablecer el mensaje 73 estándar.</p></body></html> - + Send this message in next Tx interval Double-click to reset to the standard 73 message Enviar este mensaje en el siguiente intervalo de TX. Doble clic para restablecer el mensaje 73 estándar. - + Ctrl+5 Ctrl+5 - + Ctrl+3 Ctrl+3 - + Tx &3 TX &3 - + Alt+3 Alt+3 - + <html><head/><body><p>Send this message in next Tx interval</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Envia este mensaje en el siguiente intervalo de transmisión.</p><p>Haz doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> <html><head/><body><p>Envia este mensaje en el siguiente intervalo de TX.</p><p>Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> - + Send this message in next Tx interval Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type 2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required Envia este mensaje en el siguiente intervalo de TX. Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2). Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes - + Ctrl+4 Ctrl+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders)</p><p>RR73 messages should only be used when you are reasonably confident that no message repetitions will be required</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2).</p><p>Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes.</p></body></html> - + Switch to this Tx message NOW Double-click to toggle between RRR and RR73 messages in Tx4 (not allowed for type2 compound call holders) RR73 messages should only be used when you are reasonably confident that no message repetitions will be required @@ -3125,23 +3092,23 @@ Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no Cambiar a este mensaje de TX AHORA. Doble clic para alternar entre los mensajes RRR y RR73 en TX4 (no está permitido para titulares de indicativos compuestos de tipo 2). Los mensajes RR73 solo deben usarse cuando esté razonablemente seguro de que no se requerirán repeticiones de mensajes. - + Tx &4 TX &4 - + Alt+4 Alt+4 - + <html><head/><body><p>Switch to this Tx message NOW</p><p>Double-click to reset to the standard 73 message</p></body></html> <html><head/><body><p>Cambia a este mensaje de TX AHORA.</p><p>Haz doble clic para restablecer el mensaje estándar 73.</p></body></html> <html><head/><body><p>Cambiar a este mensaje de TX AHORA.</p><p>Doble clic para restablecer el mensaje estándar 73.</p></body></html> - + Switch to this Tx message NOW Double-click to reset to the standard 73 message Cambia a este mensaje de TX AHORA. @@ -3150,44 +3117,45 @@ Haz doble clic para restablecer el mensaje estándar 73. Doble clic para cambiar al mensaje estándar 73. - + Tx &5 TX &5 - + Alt+5 Alt+5 - + Now Ahora - + Generate standard messages for minimal QSO Genera mensajes estándar para un QSO mínimo Genera mensajes estándares para realizar un QSO - + Generate Std Msgs Genera Mensaje Standar Genera Mensajes Estándar - + Tx &6 TX &6 - + Alt+6 Alt+6 - + + Enter a free text message (maximum 13 characters) or select a predefined macro from the dropdown list. Press ENTER to add the current text to the predefined @@ -3202,1130 +3170,1021 @@ Presiona INTRO para agregar el texto actual a la lista predefinida. La lista se puede modificar en "Ajustes" (F2). - + Queue up the next Tx message Poner en cola el siguiente mensaje de TX - + Next Siguiente - + 2 2 - - FST4W - - - + Calling CQ - Llamando CQ + Llamando CQ + Generate a CQ message - Genera mensaje CQ + Genera mensaje CQ - - + + + CQ CQ + Generate message with RRR - Genera mensaje con RRR + Genera mensaje con RRR + RRR - RRR + RRR + Generate message with report Generar mensaje con informe de señal - Genera mensaje con informe de señal + Genera mensaje con informe de señal + dB - dB + dB + Answering CQ - Respondiendo CQ + Respondiendo CQ + Generate message for replying to a CQ Generar mensaje para responder a un CQ - Genera mensaje para responder a un CQ + Genera mensaje para responder a un CQ - + + Grid Locator/grid Locator + Generate message with R+report Generar mensaje con R+informe de señal - Genera mensaje con R más informe de señal + Genera mensaje con R más informe de señal + R+dB - R+dB + R+dB + Generate message with 73 Generar mensaje con 73 - Genera mensaje con 73 + Genera mensaje con 73 + 73 - 73 + 73 + Send this standard (generated) message Enviar este mensaje estándar (generado) - Envia este mensaje estándar (generado) + Envia este mensaje estándar (generado) + Gen msg Gen msg - Msg Gen + Msg Gen + Send this free-text message (max 13 characters) Enviar este mensaje de texto libre (máximo 13 caracteres) - Envia este mensaje de texto libre (máximo 13 caracteres) + Envia este mensaje de texto libre (máximo 13 caracteres) + Free msg - Msg Libre + Msg Libre + 3 - 3 + 3 - + Max dB Max dB - + CQ AF CQ AF - + CQ AN CQ AN - + CQ AS CQ AS - + CQ EU CQ EU - + CQ NA CQ NA - + CQ OC CQ OC - + CQ SA CQ SA - + CQ 0 CQ 0 - + CQ 1 CQ 1 - + CQ 2 CQ 2 - + CQ 3 CQ 3 - + CQ 4 CQ 4 - + CQ 5 CQ 5 - + CQ 6 CQ 6 - + CQ 7 CQ 7 - + CQ 8 CQ 8 - + CQ 9 CQ 9 - + Reset Reiniciar - + N List N List - + N Slots N Slots - - - - - - - + + Random Aleatorio - + Call Indicativo - + S/N (dB) S/N (dB) - + Distance Distancia - + More CQs Más CQ's + Percentage of 2-minute sequences devoted to transmitting. - Porcentaje de secuencias de 2 minutos dedicadas a la transmisión. + Porcentaje de secuencias de 2 minutos dedicadas a la transmisión. - - + % % - + Tx Pct TX Pct Pct TX - + Band Hopping Salto de banda - + Choose bands and times of day for band-hopping. Elija bandas y momentos del día para saltar de banda. Escoja bandas y momentos del día para saltos de banda. - + Schedule ... Calendario ... Programar ... - - 1/2 - 1/2 - - - - 2/2 - 2/2 - - - - 1/3 - 1/3 - - - - 2/3 - 2/3 - - - - 3/3 - 3/3 - - - - 1/4 - 1/4 - - - - 2/4 - 2/4 - - - - 3/4 - 3/4 - - - - 4/4 - 4/4 - - - - 1/5 - 1/5 - - - - 2/5 - 2/5 - - - - 3/5 - 3/5 - - - - 4/5 - 4/5 - - - - 5/5 - 5/5 - - - - 1/6 - 1/6 - - - - 2/6 - 2/6 - - - - 3/6 - 3/6 - - - - 4/6 - 4/6 - - - - 5/6 - 5/6 - - - - 6/6 - 6/6 - - - + Upload decoded messages to WSPRnet.org. Cargue mensajes decodificados a WSPRnet.org. Subir mensajes decodificados a WSPRnet.org. - + Upload spots Subir "Spots" - + <html><head/><body><p>6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol.</p></body></html> <html><head/><body><p>Los Locator/Grid de 6 dígitos hacen que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo troceado, las otras estaciones deben haber decodificado el primero una vez antes de poder descodificar el segundo. Marca esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes.</p></body></html> <html><head/><body><p>Los locator de 6 dígitos hace que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo, otras estaciones deben haber decodificado el primero antes de poder descodificar el segundo. Marcar esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes.</p></body></html> - + 6 digit locators cause 2 different messages to be sent, the second contains the full locator but only a hashed callsign, other stations must have decoded the first once before they can decode your call in the second. Check this option to only send 4 digit locators if it will avoid the two message protocol. Los Locator/Grid de 6 dígitos hacen que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo troceado, las otras estaciones deben haber decodificado el primero una vez antes de poder descodificar el segundo. Marca esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes. Los locator de 6 dígitos hace que se envíen 2 mensajes diferentes, el segundo contiene el locator completo, pero sólo un indicativo, otras estaciones deben haber decodificado el primero antes de poder descodificar el segundo. Marcar esta opción para enviar sólo locators de 4 dígitos y se evitará el protocolo de dos mensajes. - - Quick-Start Guide to FST4 and FST4W - - - - - FST4 - - - - FT240W - FT240W - - + Prefer type 1 messages Prefieres mensajes de tipo 1 - Preferir mensajes de tipo 1 + Preferir mensajes de tipo 1 - + No own call decodes No se descodifica ningún indicativo propio No se descodifica mi indicativo + Transmit during the next 2-minute sequence. - Transmite durante la siguiente secuencia de 2 minutos. + Transmite durante la siguiente secuencia de 2 minutos. - + Tx Next Siguiente TX - + Set Tx power in dBm (dB above 1 mW) as part of your WSPR message. Configura la potencia de transmisión en dBm (dB por encima de 1 mW) como parte de tú mensaje WSPR. Configurar la potencia de TX en dBm (dB por encima de 1 mW) como parte de su mensaje WSPR. - - NB - - - - + File Archivo - + View Ver - + Decode Decodifica Decodificar - + Save Guardar - + Help Ayuda - + Mode Modo - + Configurations No es valido utilizar Ajustes Configuraciones - + Tools Herramientas - + Exit Salir + Configuration - Ajustes + Ajustes + F2 - F2 + F2 - + About WSJT-X Acerca de WSJT-X - + Waterfall Cascada Cascada (Waterfall) - + Open Abrir - + Ctrl+O Ctrl+O - + Open next in directory - Abrir siguiente en el directorio + Abrir siguiente en el directorio - + Decode remaining files in directory - Decodifica los archivos restantes en el directorio + Decodifica los archivos restantes en el directorio - + Shift+F6 Mayúsculas+F6 Mayúsculas+F6 - + Delete all *.wav && *.c2 files in SaveDir Borrar todos los archivos *.wav y *.c2 - + None Ninguno - Nada + Nada - + Save all Guardar todo - + Online User Guide Guía de usuario en línea - + Keyboard shortcuts Atajos de teclado - + Special mouse commands Comandos especiales del ratón - + JT9 JT9 - + Save decoded Guarda el decodificado Guardar lo decodificado - + Normal Normal - + Deep Profundo + Monitor OFF at startup Monitor apagado al inicio - "Monitor" apagado al inicio + "Monitor" apagado al inicio - + Erase ALL.TXT Borrar ALL.TXT - + Erase wsjtx_log.adi Borrar el archivo wsjtx_log.adi Borrar archivo wsjtx_log.adi + Convert mode to RTTY for logging Convierte el modo a RTTY después de registrar el QSO - Convierte el modo a RTTY para guardar el QSO + Convierte el modo a RTTY para guardar el QSO + Log dB reports to Comments Pon los informes de recepción en dB en Comentarios - Guardar reportes dB en los Comentarios + Guardar reportes dB en los Comentarios + Prompt me to log QSO Pedirme que registre QSO - Preguntarme antes de guardar el QSO + Preguntarme antes de guardar el QSO + Blank line between decoding periods - Línea en blanco entre períodos de decodificación + Línea en blanco entre períodos de decodificación + Clear DX Call and Grid after logging Borrar Indicativo DX y Locator/Grid DX después de registrar un QSO - Borrar Indicativo y Locator del DX después de guardar QSO + Borrar Indicativo y Locator del DX después de guardar QSO + Display distance in miles - Mostrar distancia en millas + Mostrar distancia en millas + Double-click on call sets Tx Enable Haz doble clic en los conjuntos de indicativos de activar TX - Doble clic en el indicativo activa la TX + Doble clic en el indicativo activa la TX - + + F7 F7 + Tx disabled after sending 73 Tx deshabilitado después de enviar 73 - Dehabilita TX después de enviar 73 + Dehabilita TX después de enviar 73 - + + Runaway Tx watchdog - Control de TX + Temporizador de TX + Allow multiple instances - Permitir múltiples instancias + Permitir múltiples instancias + Tx freq locked to Rx freq TX frec bloqueado a RX frec - Freq. de TX bloqueda a freq. de RX + Freq. de TX bloqueda a freq. de RX - + JT65 JT65 - + JT9+JT65 JT9+JT65 + Tx messages to Rx Frequency window Mensajes de texto a la ventana de frecuencia de RX - Mensajes de TX a la ventana de "Frecuencia de RX" + Mensajes de TX a la ventana de "Frecuencia de RX" + Gray1 - Gris1 + Gris1 + Show DXCC entity and worked B4 status Mostrar entidad DXCC y estado B4 trabajado - Mostrar DXCC y estado B4 trabajado + Mostrar DXCC y estado B4 trabajado - + Astronomical data Datos astronómicos - + List of Type 1 prefixes and suffixes Lista de prefijos y sufijos de tipo 1 Lista de prefijos y sufijos tipo 1 - + Settings... Configuración Ajustes... - + Local User Guide Guía de usuario local - + Open log directory Abrir directorio de log - + JT4 JT4 - + Message averaging Promedio de mensajes - + Enable averaging Habilitar el promedio - + Enable deep search Habilitar búsqueda profunda - + WSPR WSPR - + Echo Graph Gráfico de eco - + F8 F8 - + Echo Echo Eco - + EME Echo mode Modo EME Eco - + ISCAT ISCAT - + Fast Graph Gráfico rápido "Fast Graph" - + F9 F9 - + &Download Samples ... &Descargar muestras ... &Descargar muestras de audio ... - + <html><head/><body><p>Download sample audio files demonstrating the various modes.</p></body></html> <html><head/><body><p>Descarga archivos de audio de muestra que demuestren los distintos modos.</p></body></html> <html><head/><body><p>Descargar archivos de audio de los distintos modos.</p></body></html> - + MSK144 MSK144 - + QRA64 QRA64 - + Release Notes Cambios en la nueva versión - + Enable AP for DX Call Habilitar AP para llamada DX - Habilitar AP para indicativo DX + Habilitar AP para indicativo DX - + FreqCal FreqCal - + Measure reference spectrum Medir espectro de referencia - + Measure phase response Medir la respuesta de fase - + Erase reference spectrum Borrar espectro de referencia - + Execute frequency calibration cycle Ejecutar ciclo de calibración de frecuencia - + Equalization tools ... Herramientas de ecualización ... + WSPR-LF - WSPR-LF + WSPR-LF + Experimental LF/MF mode - Modo experimental LF/MF + Modo experimental LF/MF - + FT8 FT8 - - + + Enable AP Habilitar AP - + Solve for calibration parameters Resolver para parámetros de calibración Resolver parámetros de calibración - + Copyright notice Derechos de Autor - + Shift+F1 Mayúsculas+F1 - + Fox log Log Fox Log "Fox" - + FT8 DXpedition Mode User Guide Guía de usuario del modo FT8 DXpedition (inglés) - + Reset Cabrillo log ... Restablecer log de Cabrillo ... Borrar log Cabrillo ... - + Color highlighting scheme Esquema de resaltado de color Esquema de resaltado de colores + Contest Log - Log de Concurso + Log de Concurso - + Export Cabrillo log ... Exportar log de Cabrillo ... Exportar log Cabrillo ... + Quick-Start Guide to WSJT-X 2.0 - Guía de inicio rápido para WSJT-X 2.0 (inglés) + Guía de inicio rápido para WSJT-X 2.0 (inglés) - + Contest log Log de Concurso - + Erase WSPR hashtable Borrar la tabla de WSPR - + FT4 FT4 - + Rig Control Error Error de control del equipo - - - + + + Receiving Recibiendo - + Do you want to reconfigure the radio interface? ¿Desea reconfigurar la interfaz de radio? - - %1 (%2 sec) audio frames dropped - - - - - Audio Source - - - - - Reduce system load - - - - - Excessive dropped samples - %1 (%2 sec) audio frames dropped - - - - + Error Scanning ADIF Log Error al escanear el log ADIF - + Scanned ADIF log, %1 worked before records created Log ADIF escaneado, %1 funcionaba antes de la creación de registros Log ADIF escaneado, %1 registros trabajados B4 creados - + Error Loading LotW Users Data Error al cargar datos de usuarios de LotW Error al cargar datos de usuarios de LoTW - + Error Writing WAV File Error al escribir el archivo WAV - + Configurations... Conmfiguraciones... Configuraciones... - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + Message Mensaje - + Error Killing jt9.exe Process Error al matar el proceso jt9.exe - + KillByName return code: %1 Código de retorno de KillByName: %1 KillByName regresa código: %1 - + Error removing "%1" Error al eliminar "%1" - + Click OK to retry Haga clic en Aceptar para volver a intentar Clic en "Aceptar" para reintentar - - + + Improper mode - Modo incorrecto + Modo incorrecto - - + + File Open Error Error de apertura del archivo - Error al abrir archivo + Error al abrir archivo - - - - - + + + + + Cannot open "%1" for append: %2 No puedo abrir "%1" para anexar: %2 No se puedo abrir "%1" para anexar: %2 - + Error saving c2 file Error al guardar el archivo c2 Error al guardar archivo c2 - + Error in Sound Input Error en entrada de sonido - + Error in Sound Output Error en la salida de sonido Error en salida de audio - - - + + + Single-Period Decodes Decodificaciones de un solo período - - - + + + Average Decodes Promedio de decodificaciones - + Change Operator Cambiar operador - + New operator: Operador nuevo: - + Status File Error Error de estado del archivo Error en el archivo de estado - - + + Cannot open "%1" for writing: %2 No se puede abrir "%1" para la escritura: %2 No se puede abrir "%1" para escritura: %2 - + Subprocess Error Error de subproceso - + Subprocess failed with exit code %1 El subproceso falló con el código de salida %1 - - + + Running: %1 %2 Corriendo: %1 @@ -4334,27 +4193,27 @@ Error al cargar datos de usuarios de LotW %2 - + Subprocess error Error de subproceso - + Reference spectrum saved Espectro de referencia guardado - + Invalid data in fmt.all at line %1 Datos no válidos en fmt.all en la línea %1 - + Good Calibration Solution - Buena solución de calibración + Buena solución de calibración - + <pre>%1%L2 ±%L3 ppm %4%L5 ±%L6 Hz @@ -4367,18 +4226,18 @@ Error al cargar datos de usuarios de LotW %9%L10 Hz</pre> - + Delete Calibration Measurements Eliminar mediciones de calibración Borrar mediciones de calibración - + The "fmt.all" file will be renamed as "fmt.bak" El archivo "fmt.all" será renombrado como "fmt.bak" - + If you make fair use of any part of WSJT-X under terms of the GNU General Public License, you must display the following copyright notice prominently in your derivative work: "The algorithms, source code, look-and-feel of WSJT-X and related programs, and protocol specifications for the modes FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 are Copyright (C) 2001-2020 by one or more of the following authors: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q; and other members of the WSJT Development Group." @@ -4390,162 +4249,72 @@ Error al cargar datos de usuarios de LotW "Los algoritmos, el código fuente, la apariencia y comportamiento del WSJT-X y los programas relacionados, y las especificaciones del protocolo para los modos FSK441, FT8, JT4, JT6M, JT9, JT65, JTMS, QRA64, ISCAT, MSK144 son Copyright (C) 2001-2020 por uno o más de los siguientes autores: Joseph Taylor, K1JT; Bill Somerville, G4WJS; Steven Franke, K9AN; Nico Palermo, IV3NWV; Greg Beam, KI7MT; Michael Black, W9MDB; Edson Pereira, PY2SDR; Philip Karn, KA9Q y otros miembros del Grupo de Desarrollo WSJT ". - + No data read from disk. Wrong file format? No se leen datos del disco. Formato de archivo incorrecto? No se han leido datos del disco. Formato de archivo incorrecto? - + Confirm Delete Confirmar eliminación Confirmar borrado - + Are you sure you want to delete all *.wav and *.c2 files in "%1"? ¿Estas seguro de que deseas eliminar todos los archivos *.wav y *.c2 en "%1"? ¿Esta seguro de que desea borrar todos los archivos *.wav y *.c2 en "%1"? - + Keyboard Shortcuts Atajo de teclado Atajos de teclado - - <table cellspacing=1> - <tr><td><b>Esc </b></td><td>Stop Tx, abort QSO, clear next-call queue</td></tr> - <tr><td><b>F1 </b></td><td>Online User's Guide (Alt: transmit Tx6)</td></tr> - <tr><td><b>Shift+F1 </b></td><td>Copyright Notice</td></tr> - <tr><td><b>Ctrl+F1 </b></td><td>About WSJT-X</td></tr> - <tr><td><b>F2 </b></td><td>Open settings window (Alt: transmit Tx2)</td></tr> - <tr><td><b>F3 </b></td><td>Display keyboard shortcuts (Alt: transmit Tx3)</td></tr> - <tr><td><b>F4 </b></td><td>Clear DX Call, DX Grid, Tx messages 1-4 (Alt: transmit Tx4)</td></tr> - <tr><td><b>Alt+F4 </b></td><td>Exit program</td></tr> - <tr><td><b>F5 </b></td><td>Display special mouse commands (Alt: transmit Tx5)</td></tr> - <tr><td><b>F6 </b></td><td>Open next file in directory (Alt: toggle "Call 1st")</td></tr> - <tr><td><b>Shift+F6 </b></td><td>Decode all remaining files in directrory</td></tr> - <tr><td><b>F7 </b></td><td>Display Message Averaging window</td></tr> - <tr><td><b>F11 </b></td><td>Move Rx frequency down 1 Hz</td></tr> - <tr><td><b>Ctrl+F11 </b></td><td>Move identical Rx and Tx frequencies down 1 Hz</td></tr> - <tr><td><b>Shift+F11 </b></td><td>Move Tx frequency down 60 Hz (FT8) or 90 Hz (FT4)</td></tr> - <tr><td><b>Ctrl+Shift+F11 </b></td><td>Move dial frequency down 2000 Hz</td></tr> - <tr><td><b>F12 </b></td><td>Move Rx frequency up 1 Hz</td></tr> - <tr><td><b>Ctrl+F12 </b></td><td>Move identical Rx and Tx frequencies up 1 Hz</td></tr> - <tr><td><b>Shift+F12 </b></td><td>Move Tx frequency up 60 Hz (FT8) or 90 Hz (FT4)</td></tr> - <tr><td><b>Ctrl+Shift+F12 </b></td><td>Move dial frequency up 2000 Hz</td></tr> - <tr><td><b>Alt+1-6 </b></td><td>Set now transmission to this number on Tab 1</td></tr> - <tr><td><b>Ctl+1-6 </b></td><td>Set next transmission to this number on Tab 1</td></tr> - <tr><td><b>Alt+B </b></td><td>Toggle "Best S+P" status</td></tr> - <tr><td><b>Alt+C </b></td><td>Toggle "Call 1st" checkbox</td></tr> - <tr><td><b>Alt+D </b></td><td>Decode again at QSO frequency</td></tr> - <tr><td><b>Shift+D </b></td><td>Full decode (both windows)</td></tr> - <tr><td><b>Ctrl+E </b></td><td>Turn on TX even/1st</td></tr> - <tr><td><b>Shift+E </b></td><td>Turn off TX even/1st</td></tr> - <tr><td><b>Alt+E </b></td><td>Erase</td></tr> - <tr><td><b>Ctrl+F </b></td><td>Edit the free text message box</td></tr> - <tr><td><b>Alt+G </b></td><td>Generate standard messages</td></tr> - <tr><td><b>Alt+H </b></td><td>Halt Tx</td></tr> - <tr><td><b>Ctrl+L </b></td><td>Lookup callsign in database, generate standard messages</td></tr> - <tr><td><b>Alt+M </b></td><td>Monitor</td></tr> - <tr><td><b>Alt+N </b></td><td>Enable Tx</td></tr> - <tr><td><b>Ctrl+O </b></td><td>Open a .wav file</td></tr> - <tr><td><b>Alt+O </b></td><td>Change operator</td></tr> - <tr><td><b>Alt+Q </b></td><td>Log QSO</td></tr> - <tr><td><b>Ctrl+R </b></td><td>Set Tx4 message to RRR (not in FT4)</td></tr> - <tr><td><b>Alt+R </b></td><td>Set Tx4 message to RR73</td></tr> - <tr><td><b>Alt+S </b></td><td>Stop monitoring</td></tr> - <tr><td><b>Alt+T </b></td><td>Toggle Tune status</td></tr> - <tr><td><b>Alt+Z </b></td><td>Clear hung decoder status</td></tr> -</table> - Keyboard shortcuts help window contents - - - - + Special Mouse Commands Comandos especiales del ratón Comandos especiales de ratón - - <table cellpadding=5> - <tr> - <th align="right">Click on</th> - <th align="left">Action</th> - </tr> - <tr> - <td align="right">Waterfall:</td> - <td><b>Click</b> to set Rx frequency.<br/> - <b>Shift-click</b> to set Tx frequency.<br/> - <b>Ctrl-click</b> or <b>Right-click</b> to set Rx and Tx frequencies.<br/> - <b>Double-click</b> to also decode at Rx frequency.<br/> - </td> - </tr> - <tr> - <td align="right">Decoded text:</td> - <td><b>Double-click</b> to copy second callsign to Dx Call,<br/> - locator to Dx Grid, change Rx and Tx frequency to<br/> - decoded signal's frequency, and generate standard<br/> - messages.<br/> - If <b>Hold Tx Freq</b> is checked or first callsign in message<br/> - is your own call, Tx frequency is not changed unless <br/> - <b>Ctrl</b> is held down.<br/> - </td> - </tr> - <tr> - <td align="right">Erase button:</td> - <td><b>Click</b> to erase QSO window.<br/> - <b>Double-click</b> to erase QSO and Band Activity windows. - </td> - </tr> -</table> - Mouse commands help window contents - - - - + No more files to open. No hay más archivos para abrir. - - Spotting to PSK Reporter unavailable - - - - + Please choose another Tx frequency. WSJT-X will not knowingly transmit another mode in the WSPR sub-band on 30m. Por favor, elije otra frecuencia de transmisión. WSJT-X no transmitirá a sabiendas otro modo en la sub-banda WSPR en 30m. - Elije otra frecuencia de transmisión. WSJT-X no transmitirá a sabiendas otro modo en la sub-banda WSPR en 30M. + Elije otra frecuencia de transmisión. WSJT-X no transmitirá a sabiendas otro modo en la sub-banda WSPR en 30M. - + WSPR Guard Band - Banda de Guardia WSPR + Banda de Guardia WSPR + Guarda de banda WSPR - + Please choose another dial frequency. WSJT-X will not operate in Fox mode in the standard FT8 sub-bands. Elige otra frecuencia de dial. WSJT-X no funcionará en modo Fox en las sub-bandas FT8 estándar. Por favor elija otra frecuencia. WSJT-X no operá en modo "Fox" en las sub-bandas de FT8 estándar. - + Fox Mode warning Advertencia del modo Fox Advertencia de modo "Fox" - + Last Tx: %1 Última TX: %1 Últ TX: %1 - + Should you switch to EU VHF Contest mode? To do so, check 'Special operating activity' and @@ -4560,37 +4329,37 @@ Para hacerlo, marca "Actividad operativa especial" y luego "Concurso VHF EU" en "Archivo" - "Ajustes" - "Avanzado". - + Should you switch to ARRL Field Day mode? ¿Cambiar al modo ARRL Field Day? - + Should you switch to RTTY contest mode? ¿Cambiar al modo de concurso RTTY? - - - - + + + + Add to CALL3.TXT Añadir a CALL3.TXT - + Please enter a valid grid locator Por favor, introduce un locator/Grid válido Por favor escriba un locator válido - + Cannot open "%1" for read/write: %2 No se puede abrir "%1" para leer/escribir: %2 No se puede abrir "%1" para lectura/escritura: %2 - + %1 is already in CALL3.TXT, do you wish to replace it? %1 @@ -4599,104 +4368,105 @@ ya está en CALL3.TXT, ¿deseas reemplazarlo? ya está en CALL3.TXT, ¿desea reemplazarlo? - + Warning: DX Call field is empty. Advertencia: el campo de Indicativo DX está vacío. Advertencia: el campo Indicativo DX está vacío. - + Log file error Error de archivo de log Error en el archivo de log - + Cannot open "%1" No puedo abrir "%1" No se puede abrir "%1" - + Error sending log to N1MM Error al enviar el log a N1MM - + Write returned "%1" Escritura devuelta "%1" Escritura devuelve "%1" - + Stations calling DXpedition %1 Estaciones que llaman a DXpedition %1 Estaciones llamando a DXpedition %1 - + Hound Hound "Hound" - + Tx Messages Mensajes de TX Mensajes TX - - - + + + Confirm Erase Confirmar borrado - + Are you sure you want to erase file ALL.TXT? ¿Estás seguro de que quiere borrar el archivo ALL.TXT? - - + + Confirm Reset Confirmar reinicio Confirmar restablecer - + Are you sure you want to erase your contest log? ¿Estás seguro de que quieres borrar el log de tú concurso? ¿Está seguro que quiere borrar el log de concurso? - + Doing this will remove all QSO records for the current contest. They will be kept in the ADIF log file but will not be available for export in your Cabrillo log. Hacer esto eliminará todos los registros de QSO para el concurso actual. Se guardarán en el archivo log de ADIF, pero no estarán disponibles para la exportación en tú log de Cabrillo. Hacer esto eliminará todos los QSOs del concurso actual. Se mantendrán en el log ADIF, pero no estarán disponibles para la exportación como log de Cabrillo. - + Cabrillo Log saved Cabrillo Log guardado Log Cabrillo guardado - + Are you sure you want to erase file wsjtx_log.adi? ¿Estás seguro de que quieres borrar el archivo wsjtx_log.adi? ¿Está seguro que quiere borrar el archivo wsjtx_log.adi? - + Are you sure you want to erase the WSPR hashtable? ¿Estás seguro de que quieres borrar la tabla WSPR? ¿Está seguro de que quiere borrar la tabla hash WSPR? + VHF features warning - Advertencia de características VHF + Advertencia de características VHF @@ -4717,48 +4487,48 @@ ya está en CALL3.TXT, ¿desea reemplazarlo? Prefijos y sufijos tipo 1 - + Network Error Error de red - + Error: %1 UDP server %2:%3 Error: %1 Servidor UDP %2:%3 - + File Error Error en el archivo - + Phase Training Disabled Fase de entrenamiento deshabilitado Entrenamieno de Fase deshabilitado - + Phase Training Enabled Fase de entrenamiento habilitado Entrenamiento de Fase habilitado - + WD:%1m WD:%1m - - + + Log File Error Error de archivo log Error en archivo log - + Are you sure you want to clear the QSO queues? ¿Estás seguro de que quieres borrar las colas QSO? ¿Está seguro que quiere borrar las colas de QSOs? @@ -4770,7 +4540,7 @@ Servidor UDP %2:%3 Message Averaging - Promedio de mensajes + Promedio de mensajes @@ -4782,8 +4552,8 @@ Servidor UDP %2:%3 Modes - - + + Mode Modo @@ -4813,7 +4583,7 @@ Servidor UDP %2:%3 Clone &Into ... Clon &a ... - &Clonar a ... + &Clonar a ... @@ -4894,7 +4664,7 @@ Servidor UDP %2:%3 Network SSL/TLS Errors - + Errores SSL/TLS @@ -4956,7 +4726,7 @@ Servidor UDP %2:%3 Error al abrir archivo CSV de usuarios del LoTW: '%1' - + OOB OOB @@ -4975,7 +4745,7 @@ Servidor UDP %2:%3 Error reading waterfall palette file "%1:%2" invalid triplet. Error al leer el archivo de paleta en cascada "%1:%2" triplete inválido. - Error al leer el archivo de paleta de la cascada (waterfall) "%1:%2" triplete inválido. + Error al leer el archivo de paleta de la cascada (waterfall) "%1:%2" triplete inválido. @@ -5041,7 +4811,7 @@ Error(%3): %4 Redirect not followed: %1 - Redireccionamiento no seguido: %1 + Redireccionamiento no seguido: %1 @@ -5092,32 +4862,32 @@ Error(%2): %3 &Abort - + &Abortar &Refresh - + &Refrescar &Details - + &Detalles Base URL for samples: - + Enlace para muestras: Only use HTTP: - + Use solo HTTP: Check this if you get SSL/TLS errors - + Chequee esto si tiene errores SSL/TLS @@ -5156,7 +4926,7 @@ Error(%2): %3 Error no recuperable, dispositivo de entrada de audio no disponible en este momento. - + Requested input audio format is not valid. El formato de audio de entrada solicitado no es válido. @@ -5167,37 +4937,37 @@ Error(%2): %3 El formato de audio de entrada solicitado no está soportado en el dispositivo. - + Failed to initialize audio sink device Error al inicializar el dispositivo receptor de audio - + Idle Inactivo - + Receiving Recibiendo - + Suspended Suspendido - + Interrupted Interrumpido - + Error Error - + Stopped Detenido @@ -5205,67 +4975,62 @@ Error(%2): %3 SoundOutput - + An error opening the audio output device has occurred. Se produjo un error al abrir el dispositivo de salida de audio. - + An error occurred during write to the audio output device. Se produjo un error durante la escritura en el dispositivo de salida de audio. - + Audio data not being fed to the audio output device fast enough. Los datos de audio no se envían al dispositivo de salida de audio lo suficientemente rápido. - + Non-recoverable error, audio output device not usable at this time. Error no recuperable, dispositivo de salida de audio no utilizable en este momento. - + Requested output audio format is not valid. El formato de audio de salida solicitado no es válido. - + Requested output audio format is not supported on device. El formato de audio de salida solicitado no es compatible con el dispositivo. - - No audio output device configured. - - - - + Idle Inactivo - + Sending Recibiendo - + Suspended Suspendido - + Interrupted Interrumpido - + Error Error - + Stopped Detenido @@ -5273,23 +5038,23 @@ Error(%2): %3 StationDialog - + Add Station Agregar estación - + &Band: &Banda: - + &Offset (MHz): &Desplazamiento en MHz: Desplazamient&o (MHz): - + &Antenna: &Antena: @@ -5395,7 +5160,7 @@ Error(%2): %3 <html><head/><body><p>Flatten spectral baseline over the full displayed interval.</p></body></html> <html><head/><body><p>Acoplar la línea base espectral sobre el intervalo visualizado completo.</p></body></html> - <html><head/><body><p>Línea base del espectro sobre el intervalo visualizado completo.</p></body></html> + <html><head/><body><p>Línea base del espectro sobre el intervalo visualizado completo.</p></body></html> @@ -5415,7 +5180,7 @@ Error(%2): %3 Smoothing of Linear Average spectrum - Suavizado del espectro promedio lineal + Suavizado del espectro promedio lineal @@ -5457,7 +5222,7 @@ Error(%2): %3 Linear Avg Promedio lineal - Linear Avg + Linear Avg @@ -5488,21 +5253,13 @@ Error(%2): %3 - Hz - Hz + JT9 + JT9 - Split - - - - JT9 - JT9 - - JT65 - JT65 + JT65 @@ -5540,29 +5297,6 @@ Error(%2): %3 Leer Paleta - - WorkedBefore - - - Invalid ADIF field %0: %1 - - - - - Malformed ADIF field %0: %1 - - - - - Invalid ADIF header - - - - - Error opening ADIF log file for read: %0 - - - configuration_dialog @@ -5671,13 +5405,13 @@ Error(%2): %3 Show outgoing transmitted messages in the Rx frequency window. Mostrar mensajes transmitidos salientes en la ventana de frecuencia de RX. - Mostrar mensajes transmitidos en la ventana "Frecuencia de RX". + Mostrar mensajes transmitidos en la ventana "Frecuencia de RX". &Tx messages to Rx frequency window &Mensajes de texto en la ventana de frecuencia RX - Mensajes de &TX en la ventana "Frecuencia de RX" + Mensajes de &TX en la ventana "Frecuencia de RX" @@ -5712,7 +5446,7 @@ Error(%2): %3 Set the font characteristics for the application. Define las características de la fuente para la aplicación. - Cambia el tipo de letras para la aplicación. + Cambia el tipo de letras para la aplicación. @@ -5724,13 +5458,13 @@ Error(%2): %3 Set the font characteristics for the Band Activity and Rx Frequency areas. Establece las características de la fuente para las áreas de Actividad de banda y Frecuencia de RX. - Cambiar el tipo de letras para las ventanas "Actividad en la banda" y "Frecuencia de RX". + Cambiar el tipo de letras para las ventanas "Actividad en la banda" y "Frecuencia de RX". Decoded Text Font... Tipo de fuente en el área de decodificada ... - Tipo de letras decodificados... + Tipo de letras decodificados... @@ -5742,7 +5476,7 @@ Error(%2): %3 &Blank line between decoding periods &Línea en blanco entre períodos de decodificación - Línea de &separación entre períodos de decodificación + Línea de &separación entre períodos de decodificación @@ -5770,7 +5504,7 @@ Error(%2): %3 Tx watchdog: Seguridad de TX: - Control de TX: + Temporizador de TX: @@ -5789,9 +5523,10 @@ Error(%2): %3 minutos + Enable VHF/UHF/Microwave features Habilita las funciones VHF/UHF/Microondas - Habilita características en VHF/UHF/Microondas + Habilita características en VHF/UHF/Microondas @@ -5837,7 +5572,7 @@ Error(%2): %3 Alternate F1-F6 bindings - Enlaces alternativos F1-F6 + Enlaces alternativos F1-F6 @@ -5862,7 +5597,7 @@ cualquier otro mensaje de texto libre. CW ID a&fter 73 ID de CW d&espués de 73 - &ID en CW después de 73 + &ID en CW después de 73 @@ -5880,7 +5615,7 @@ quiet period when decoding is done. Esto puede ser requerido bajo las regulaciones de licencia de tú país. No interferirá con otros usuarios, ya que siempre se envía en el período tranquilo cuando se realiza la decodificación. - Envía una identificación en CW periódicamente cada pocos minutos. + Envía una identificación en CW periódicamente cada pocos minutos. Esto puede ser requerido bajo las regulaciones de licencia de tu país. No interferirá con otros usuarios, ya que siempre se envía en el período de silencio cuando se ha realizado la decodificación. @@ -5926,7 +5661,7 @@ período de silencio cuando se ha realizado la decodificación. - + Port: Puerto: @@ -5937,152 +5672,140 @@ período de silencio cuando se ha realizado la decodificación. - Serial Port Parameters Parámetros del puerto serie - + Baud Rate: Velocidad de transmisión: - + Serial port data rate which must match the setting of your radio. Velocidad de datos del puerto serie que debe coincidir con los ajustes de tu radio. - + 1200 1200 - + 2400 2400 - + 4800 - + 9600 9600 - + 19200 19200 - + 38400 38400 - + 57600 57600 - + 115200 115200 - + <html><head/><body><p>Number of data bits used to communicate with your radio's CAT interface (usually eight).</p></body></html> <html><head/><body><p>Número de bits de datos utilizados para comunicarse con la interfaz CAT de tú equipo (generalmente ocho).</p></body></html> <html><head/><body><p>Número de bits de datos utilizados para comunicarse con la interface CAT del equipo (generalmente ocho).</p></body></html> - - Data bits - - - - + Data Bits Bits de datos - + D&efault Por d&efecto - + Se&ven - &Siete + &Siete - + E&ight - O&cho + O&cho - + <html><head/><body><p>Number of stop bits used when communicating with your radio's CAT interface</p><p>(consult you radio's manual for details).</p></body></html> <html><head/><body><p>Número de bits de parada utilizados al comunicarse con la interfaz CAT de tú equipo</p><p>(consulta el manual de tú equipo para más detalles).</p></body></html> <html><head/><body><p>Número de bits de parada utilizados al comunicarse con la interface CAT del equipo</p><p>(consulta el manual del equipo para más detalles).</p></body></html> - - Stop bits - - - - + Stop Bits Bits de parada - - + + Default Por defecto - + On&e - Un&o + Un&o - + T&wo - &Dos + &Dos - + <html><head/><body><p>Flow control protocol used between this computer and your radio's CAT interface (usually &quot;None&quot; but some require &quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocolo de control de flujo utilizado entre este PC y la interfaz CAT de tú equipo (generalmente &quot;Ninguno&quot;pero algunos requieren&quot;Hardware&quot;).</p></body></html> <html><head/><body><p>Protocolo de control de flujo utilizado entre este PC y la interfaz CAT del equipo (generalmente "Ninguno", pero algunos requieren "Hardware").</p></body></html> - - + Handshake Handshake - + &None &Ninguno - + Software flow control (very rare on CAT interfaces). Control de flujo de software (muy raro en interfaces CAT). - + XON/XOFF XON/XOFF - + Flow control using the RTS and CTS RS-232 control lines not often used but some radios have it as an option and a few, particularly some Kenwood rigs, require it). @@ -6091,88 +5814,82 @@ no se usa con frecuencia, pero algunos equipos lo tienen como una opción y unos pocos, particularmente algunos equipos de Kenwood, lo requieren. - + &Hardware &Hardware - + Special control of CAT port control lines. Control especial de líneas de control de puertos CAT. - - + Force Control Lines Líneas de control de fuerza - Forzar + Forzar "Control de Líneas" - - + + High Alto - - + + Low Bajo - + DTR: DTR: - + RTS: RTS: - - - Days since last upload - - How this program activates the PTT on your radio ¿ Cómo este programa activa el PTT en tú equipo ? - + How this program activates the PTT on your radio? ¿Cómo este programa activa el PTT en tú equipo? ¿Cómo activa este programa el PTT del equipo? - + PTT Method Método de PTT - + <html><head/><body><p>No PTT activation, instead the radio's automatic VOX is used to key the transmitter.</p><p>Use this if you have no radio interface hardware.</p></body></html> <html><head/><body><p>Sin activación de PTT, en cambio, el VOX automático del equipo se usa para conectar el transmisor.</p><p>Usa esto si no tienes hardware de interfaz de radio.</p></body></html> <html><head/><body><p>Sin activación de PTT, se use el VOX del equipo para activar el transmisor.</p><p>Use esta opción si no se tiene una interface de radio.</p></body></html> - + VO&X VO&X - + <html><head/><body><p>Use the RS-232 DTR control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The DTR control line of the CAT serial port may be used for this or a DTR control line on a different serial port may be used.</p></body></html> <html><head/><body><p>Usa la línea de control RS-232 DTR para alternar el PTT de tú equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control DTR del puerto serie CAT se puede usar para esto o se puede usar una línea de control DTR en un puerto serie diferente.</p></body></html> <html><head/><body><p>Use la línea de control RS-232 DTR para activar el PTT del equipo, se requiere de "hardware" para el envio de señales.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control DTR del puerto serie CAT se puede usar para esto o se puede usar una línea de control DTR en un puerto serie diferente.</p></body></html> - + &DTR &DTR - + Some radios support PTT via CAT commands, use this option if your radio supports it and you have no other hardware interface for PTT. @@ -6184,50 +5901,50 @@ use esta opción si el equipo lo admite y no tiene una interface para PTT. - + C&AT C&AT - + <html><head/><body><p>Use the RS-232 RTS control line to toggle your radio's PTT, requires hardware to interface the line.</p><p>Some commercial interface units also use this method.</p><p>The RTS control line of the CAT serial port may be used for this or a RTS control line on a different serial port may be used. Note that this option is not available on the CAT serial port when hardware flow control is used.</p></body></html> <html><head/><body><p>Usa la línea de control RS-232 RTS para alternar el PTT de tú equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control RTS del puerto serie CAT se puede usar para esto o se puede usar una línea de control RTS en un puerto serie diferente. Ten en cuenta que esta opción no está disponible en el puerto serie CAT cuando se usa el control de flujo de hardware.</p></body></html> <html><head/><body><p>Use la línea de control RS-232 RTS para activar el PTT del equipo, requiere hardware para interconectar la línea.</p><p>Algunas unidades de interfaz comerciales también usan este método.</p><p>La línea de control RTS del puerto serie CAT se puede usar para esto o se puede usar una línea de control RTS en un puerto serie diferente. Esta opción no está disponible en el puerto serie CAT cuando se usa el control de flujo de hardware.</p></body></html> - + R&TS R&TS - + <html><head/><body><p>Select the RS-232 serial port utilised for PTT control, this option is available when DTR or RTS is selected above as a transmit method.</p><p>This port can be the same one as the one used for CAT control.</p><p>For some interface types the special value CAT may be chosen, this is used for non-serial CAT interfaces that can control serial port control lines remotely (OmniRig for example).</p></body></html> <html><head/><body><p>Selecciona el puerto serie RS-232 utilizado para el control PTT, esta opción está disponible cuando se selecciona DTR o RTS arriba como método de transmisión.</p><p>Este puerto puede ser el mismo que el utilizado para el control CAT.</p><p>Para algunos tipos de interfaz, se puede elegir el valor especial CAT, esto se usa para interfaces CAT no seriales que pueden controlar líneas de control de puerto serie de forma remota (OmniRig, por ejemplo).</p></body></html> <html><head/><body><p>Seleccione el puerto serie RS-232 utilizado para el control PTT, esta opción está disponible cuando se selecciona DTR o RTS como método de transmisión.</p><p>Este puerto puede ser el mismo que el utilizado para el control CAT.</p><p>Para algunos tipos de interfaz, se puede elegir el valor especial CAT, esto se usa para interfaces CAT no seriales que pueden controlar líneas de control de puerto serie de forma remota (OmniRig, por ejemplo).</p></body></html> - + Modulation mode selected on radio. Modo de modulación seleccionado en el equipo. - + Mode Modo - + <html><head/><body><p>USB is usually the correct modulation mode,</p><p>unless the radio has a special data or packet mode setting</p><p>for AFSK operation.</p></body></html> <html><head/><body><p>USB suele ser el modo de modulación correcto,</p><p>a menos que la radio tenga una configuración/ajuste especial de datos o modo de paquete</p><p>para operación AFSK.</p></body></html> <html><head/><body><p>USB suele ser usualmente el modo correcto,</p><p>a menos que la radio tenga un ajuste de modo especifico para "data o packet"</p><p>para operación en AFSK.</p></body></html> - + US&B US&B - + Don't allow the program to set the radio mode (not recommended but use if the wrong mode or bandwidth is selected). @@ -6239,86 +5956,86 @@ o se selecciona el ancho de banda). o ancho de banda es seleccionado). - - + + None Ninguno - + If this is available then it is usually the correct mode for this program. Si está disponible, generalmente es el modo correcto para este programa. Si está disponible, entonces usualmente es el modo correcto para este programa. - + Data/P&kt Datos/P&kt Data/P&kt - + Some radios can select the audio input using a CAT command, this setting allows you to select which audio input will be used (if it is available then generally the Rear/Data option is best). Algunos equipos pueden seleccionar la entrada de audio usando un comando CAT, esta configuración/ajuste te permite seleccionar qué entrada de audio se usará (si está disponible, generalmente la opción Posterior/Datos es la mejor). - Algunos equipos pueden seleccionar la entrada de audio usando un comando CAT, + Algunos equipos pueden seleccionar la entrada de audio usando un comando CAT, este ajuste permite seleccionar qué entrada de audio se usará (si está disponible, generalmente la opción "Parte posterior" es la mejor). - + Transmit Audio Source Fuente de audio de transmisión - + Rear&/Data Parte posterior/Datos Parte posterior - + &Front/Mic &Frontal/Micrófono - + Rig: Equipo: - + Poll Interval: Intervalo de sondeo: - + <html><head/><body><p>Interval to poll rig for status. Longer intervals will mean that changes to the rig will take longer to be detected.</p></body></html> <html><head/><body><p>Intervalo de sondeo al equipo para el estado. Intervalos más largos significarán que los cambios en el equipo tardarán más en detectarse.</p></body></html> <html><head/><body><p>Intervalo para sondeo del estado del equipo. Intervalos más largos significará que los cambios en el equipo tardarán más en detectarse.</p></body></html> - + s - s + s - + <html><head/><body><p>Attempt to connect to the radio with these settings.</p><p>The button will turn green if the connection is successful or red if there is a problem.</p></body></html> <html><head/><body><p>Intenta conectarte al equipo con esta configuración.</p><p>El botón se pondrá verde si la conexión es correcta o rojo si hay un problema.</p></body></html> - <html><head/><body><p>Prueba de conexión al equipo por CAT utilizando esta configuración.</p><p>El botón cambiará a verde si la conexión es correcta o rojo si hay un problema.</p></body></html> + <html><head/><body><p>Prueba de conexión al equipo por CAT utilizando esta configuración.</p><p>El botón cambiará a verde si la conexión es correcta o rojo si hay un problema.</p></body></html> - + Test CAT Test de CAT Probar CAT - + Attempt to activate the transmitter. Click again to deactivate. Normally no power should be output since there is no audio being generated at this time. @@ -6339,50 +6056,50 @@ Verifica que cualquier indicación de TX en tu equipo y/o en el interfaz de radio se comporte como se esperaba. - + Test PTT Test de PTT Probar PTT - + Split Operation Operación dividida (Split) Operación en "Split" - + Fake It Fíngelo Fingir "Split" - + Rig Equipo - + A&udio A&udio - + Audio interface settings Ajustes del interfaz de audio - + Souncard Tarjeta de Sonido - + Soundcard Tarjeta de Sonido - + Select the audio CODEC to use for transmitting. If this is your default device for system sounds then ensure that all system sounds are disabled otherwise @@ -6400,48 +6117,48 @@ de lo contrario transmitirá cualquier sonido del sistema generado durante los períodos de transmisión. - + Select the audio CODEC to use for receiving. Selecciona el CODEC de audio que se usará para recibir. Selecciona el CODEC a usar para recibir. - + &Input: &Entrada: - + Select the channel to use for receiving. Selecciona el canal a usar para recibir. Seleccione el canal a usar para recibir. - - + + Mono Mono - - + + Left Izquierdo - - + + Right Derecho - - + + Both Ambos - + Select the audio channel used for transmission. Unless you have multiple radios connected on different channels; then you will usually want to select mono or @@ -6456,123 +6173,118 @@ canales, entonces, generalmente debe seleccionar "Mono" o "Ambos". - - Enable VHF and submode features - - - - + Ou&tput: - &Salida: + &Salida: - - + + Save Directory Guardar directorio Directorio "save" - + Loc&ation: - Ubic&ación: + Ubic&ación: - + Path to which .WAV files are saved. Ruta en la que se guardan los archivos .WAV. - - + + TextLabel Etiqueta de texto - + Click to select a different save directory for .WAV files. Haz clic para seleccionar un directorio de guardado diferente para los archivos .WAV. Clic para seleccionar un directorio "Save" diferente donde guardar los los archivos .WAV. - + S&elect S&elecciona S&eleccionar - - + + AzEl Directory Directorio AzEl - + Location: Ubicación: - + Select Seleccionar - + Power Memory By Band Memoriza la potencia por banda Recuerda la potencia por banda - + Remember power settings by band Recuerde los ajustes de potencia por banda Recuerda ajustes de potencia por banda - + Enable power memory during transmit Habilita memoria de potencia durante la transmisión - + Transmit Transmitir - + Enable power memory during tuning Habilita memoria de potencia durante la sintonización - + Tune Tono TX - + Tx &Macros Macros de T&X Macros T&X - + Canned free text messages setup Configuración de mensajes de texto libres Ajuste de mensajes de texto libre - + &Add &Añadir &Agregar - + &Delete &Borrar - + Drag and drop items to rearrange order Right click for item specific actions Click, SHIFT+Click and, CRTL+Click to select items @@ -6584,42 +6296,42 @@ Clic derecho para acciones específicas del elemento. Clic, Mayús+Clic y CTRL+Clic para seleccionar elementos. - + Reportin&g Informe&s &Reportes - + Reporting and logging settings Ajuste de informes y logs Ajustes de reportes y gaurdado de logs - + Logging Registros Guardado de log - + The program will pop up a partially completed Log QSO dialog when you send a 73 or free text message. El programa mostrará un cuadro de diálogo Log QSO parcialmente completado cuando envíe un mensaje de texto 73 o libre. El programa mostrará un cuadro de diálogo con datos del QSO parcialmente completados cuando envíe un 73 o mensaje de texto libre. - + Promp&t me to log QSO Regis&tra el QSO - Pregun&tarme para guardar el QSO + Pregun&tarme para guardar el QSO - + Op Call: Indicativo del Operador: - + Some logging programs will not accept the type of reports saved by this program. Check this option to save the sent and received reports in the @@ -6628,66 +6340,67 @@ comments field. guardado por este programa. Marca esta opción para guardar los informes enviados y recibidos en el campo de comentarios. - Algunos libros de guardia no aceptan el tipo de reportes + Algunos libros de guardia no aceptan el tipo de reportes guardados por este programa. Marca esta opción para guardar los reportes enviados y recibidos en el campo de comentarios. - + d&B reports to comments Informes de los d&B en los comentarios Guardar reportes d&B en los comentarios - + Check this option to force the clearing of the DX Call and DX Grid fields when a 73 or free text message is sent. Marca esta opción para forzar la eliminación de los campos Llamada DX y Locator/Grid DX cuando se envía un mensaje de texto 73 o libre. - Marca esta opción para eliminar los campos Indicativo DX y + Marca esta opción para eliminar los campos Indicativo DX y Locator DX cuando se envíe un 73 o un mensaje de texto libre. - + Clear &DX call and grid after logging Borrar la Llamada &DX y Locator/Grid después del registro Borrar Indicativo &DX y Locator DX después de guardado el QSO - + <html><head/><body><p>Some logging programs will not accept WSJT-X mode names.</p></body></html> <html><head/><body><p>Algunos programas de log no aceptarán nombres de modo WSJT-X.</p></body></html> - + Con&vert mode to RTTY Con&vertir modo a RTTY - + <html><head/><body><p>The callsign of the operator, if different from the station callsign.</p></body></html> <html><head/><body><p>El indicativo del operador, si es diferente del indicativo de la estación.</p></body></html> - + <html><head/><body><p>Check to have QSOs logged automatically, when complete.</p></body></html> <html><head/><body><p>Marca para que los QSO's se registren automáticamente, cuando se completen.</p></body></html> <html><head/><body><p>Marca para que los QSO's se guarden automáticamente, cuando se completen.</p></body></html> - + Log automatically (contesting only) Log automático (sólo concursos) Guardar QSO automáticamente (sólo concursos) - + Network Services Servicios de red + The program can send your station details and all decoded signals as spots to the http://pskreporter.info web site. This is used for reverse beacon analysis which is very useful @@ -6696,192 +6409,177 @@ for assessing propagation and system performance. señales decodificadas como puntos en el sitio web http://pskreporter.info. Esto se utiliza para el análisis de baliza inversa que es muy útil para evaluar la propagación y el rendimiento del sistema. - Este programa puede enviar los detalles de su estación y todas las + Este programa puede enviar los detalles de su estación y todas las señales decodificadas como "spots" a la página web http://pskreporter.info. Esto se utiliza para el análisis de "reverse beacon", lo cual es muy útil para evaluar la propagación y el rendimiento del sistema. - - <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - - - - + Enable &PSK Reporter Spotting Activa &PSK Reporter Activar "spotting" en &PSK Reporter - - <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - - - - - Use TCP/IP connection - - - - + UDP Server Servidor UDP - + UDP Server: Servidor UDP: - + <html><head/><body><p>Optional hostname of network service to receive decodes.</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable the broadcasting of UDP status updates.</p></body></html> <html><head/><body><p>"Hostname" del servicio de red para recibir decodificaciones.</p><p>Formatos:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4 multicast</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6 multicast</li></ul><p>Borrar este campo deshabilitará la transmisión de actualizaciones de estado UDP.</p></body></html> - + UDP Server port number: Número de puerto del servidor UDP: - + <html><head/><body><p>Enter the service port number of the UDP server that WSJT-X should send updates to. If this is zero no updates will be broadcast.</p></body></html> <html><head/><body><p>Introduce el número de puerto del servicio del servidor UDP al que WSJT-X debe enviar actualizaciones. Si esto es cero, no se transmitirán actualizaciones.</p></body></html> <html><head/><body><p>Escriba el número del puerto del servidor UDP al que WSJT-X debe enviar actualizaciones. Si este es cero, no se transmitirán actualizaciones.</p></body></html> - + <html><head/><body><p>With this enabled WSJT-X will accept certain requests back from a UDP server that receives decode messages.</p></body></html> <html><head/><body><p>Con esto habilitado, WSJT-X aceptará ciertas solicitudes de un servidor UDP que recibe mensajes de decodificación.</p></body></html> <html><head/><body><p>Si se habilita, WSJT-X aceptará ciertas solicitudes de un servidor UDP que recibe mensajes decodificados.</p></body></html> - + Accept UDP requests Aceptar solicitudes UDP - + <html><head/><body><p>Indicate acceptance of an incoming UDP request. The effect of this option varies depending on the operating system and window manager, its intent is to notify the acceptance of an incoming UDP request even if this application is minimized or hidden.</p></body></html> <html><head/><body><p>Indica la aceptación de una solicitud UDP entrante. El efecto de esta opción varía según el sistema operativo y el administrador de ventanas, su intención es notificar la aceptación de una solicitud UDP entrante, incluso si esta aplicación está minimizada u oculta.</p></body></html> <html><head/><body><p>Indica la aceptación de una solicitud UDP entrante. El efecto de esta opción varía según el sistema operativo y el "Window Manager", su intención es notificar la aceptación de una solicitud UDP entrante, incluso si esta aplicación está minimizada u oculta.</p></body></html> - + Notify on accepted UDP request Notificar sobre una solicitud UDP aceptada - + <html><head/><body><p>Restore the window from minimized if an UDP request is accepted.</p></body></html> <html><head/><body><p>Restaura la ventana minimizada si se acepta una solicitud UDP.</p></body></html> - + Accepted UDP request restores window La solicitud UDP aceptada restaura la ventana Una solicitud UDP aceptada restaura la ventana - + Secondary UDP Server (deprecated) Servidor UDP secundario (en desuso) - + <html><head/><body><p>When checked, WSJT-X will broadcast a logged contact in ADIF format to the configured hostname and port. </p></body></html> <html><head/><body><p>Cuando se marca, WSJT-X transmitirá un contacto registrado en formato ADIF al nombre de host y puerto configurados. </p></body></html> <html><head/><body><p>Si se marca , WSJT-X difundirá el contacto guardado, en formato ADIF, al servidor y puerto configurados. </p></body></html> - + Enable logged contact ADIF broadcast Habilita la transmisión ADIF de contacto registrado - Habilita transmisión ADIF de contacto guardado + Habilita "broadcast" de contacto guardado (ADIF) - + Server name or IP address: Nombre del servidor o dirección IP: - + <html><head/><body><p>Optional host name of N1MM Logger+ program to receive ADIF UDP broadcasts. This is usually 'localhost' or ip address 127.0.0.1</p><p>Formats:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv4 multicast group address</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">IPv6 multicast group address</li></ul><p>Clearing this field will disable broadcasting of ADIF information via UDP.</p></body></html> <html><head/><body><p>"Hostname" del programa N1MM Logger + donde se recibirán las transmisiones ADIF UDP. Este suele ser 'localhost' o dirección IP 127.0.0.1</p><p>Formatos:</p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hostname</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv4 multicast</li><li style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Dirección IPv6 multicast</li></ul><p>Borrar este campo deshabilitará la transmisión de información ADIF a través de UDP.</p></body></html> - + Server port number: Número de puerto del servidor: - + <html><head/><body><p>Enter the port number that WSJT-X should use for UDP broadcasts of ADIF log information. For N1MM Logger+, this value should be 2333. If this is zero, no updates will be broadcast.</p></body></html> <html><head/><body><p>Introduce el número de puerto que WSJT-X debe usar para las transmisiones UDP de información de registro ADIF. Para N1MM Logger +, este valor debe ser 2333. Si es cero, no se transmitirán actualizaciones.</p></body></html> <html><head/><body><p>Escriba el número de puerto que WSJT-X debe usar para las transmisiones UDP del log ADIF guardado. Para N1MM Logger + este valor debe ser 2333. Si es cero, no se transmitirán actualizaciones.</p></body></html> - + Frequencies Frecuencias - + Default frequencies and band specific station details setup Configuración predeterminada de las frecuencias y banda con detalles específicos de la estación - Ajustes de frecuencias predeterminada y detalles de especificos de la banda + Ajustes de frecuencias predeterminada y detalles de especificos de la banda - + <html><head/><body><p>See &quot;Frequency Calibration&quot; in the WSJT-X User Guide for details of how to determine these parameters for your radio.</p></body></html> <html><head/><body><p>Ver&quot;Calibración de Frecuencia&quot;en la Guía de usuario de WSJT-X para obtener detalles sobre cómo determinar estos parámetros para tú equipo.</p></body></html> <html><head/><body><p>Ver "Calibración de Frecuencia" en la Guía de usuario de WSJT-X para obtener detalles sobre cómo determinar estos parámetros para el equipo.</p></body></html> - + Frequency Calibration Calibración de frecuencia - + Slope: Pendiente: Cadencia: - + ppm ppm - + Intercept: Interceptar: Intercepción: - + Hz Hz - + Working Frequencies Frecuencias de trabajo - + <html><head/><body><p>Right click to maintain the working frequencies list.</p></body></html> <html><head/><body><p>Haz clic derecho para mantener la lista de frecuencias de trabajo.</p></body></html> <html><head/><body><p>Clic derecho para mantener la lista de frecuencias de trabajo.</p></body></html> - + Station Information Información de la estación - + Items may be edited. Right click for insert and delete options. Se pueden editar ítems. @@ -6890,423 +6588,391 @@ Haz clic derecho para insertar y eliminar opciones. Clic derecho para insertar y eliminar opciones. - + Colors Colores - + Decode Highlightling Resaltar Decodificado - + <html><head/><body><p>Click to scan the wsjtx_log.adi ADIF file again for worked before information</p></body></html> <html><head/><body><p>Haz clic para escanear el archivo ADIF wsjtx_log.adi nuevamente para obtener información trabajada antes</p></body></html> <html><head/><body><p>Clic para procesar nuevamente el archivo ADIF wsjtx_log.adi para obtener información de estaciones trabajadas anteriormente</p></body></html> - + Rescan ADIF Log Escaneo de nuevo el log ADIF Procesar nuevamente log ADIF - + <html><head/><body><p>Push to reset all highlight items above to default values and priorities.</p></body></html> <html><head/><body><p>Presiona para restablecer todos los elementos resaltados arriba a los valores y prioridades predeterminados.</p></body></html> - + Reset Highlighting Restablecer resaltado - + <html><head/><body><p>Enable or disable using the check boxes and right-click an item to change or unset the foreground color, background color, or reset the item to default values. Drag and drop the items to change their priority, higher in the list is higher in priority.</p><p>Note that each foreground or background color may be either set or unset, unset means that it is not allocated for that item's type and lower priority items may apply.</p></body></html> <html><head/><body><p>Activa o desactiva las casillas de verificación y haz clic con el botón derecho en un elemento para cambiar o desactivar el color del primer plano, el color de fondo o restablecer el elemento a los valores predeterminados. Arrastra y suelta los elementos para cambiar su prioridad, mayor en la lista es mayor en prioridad.</p><p>Ten en cuenta que cada color de primer plano o de fondo puede estar configurado o no, lo que significa que no está asignado para ese tipo de elemento y pueden aplicarse elementos de menor prioridad.</p></body></html> - <html><head/><body><p>Activar o desactivar usando las casillas de verificación. Clic con el botón derecho en un elemento para cambiar o volver al color predeterminado tanto de las letras como el color de fondo. Arrastrar y soltar los elementos para cambiar su prioridad; los primeros en la lista tienen mayor prioridad.</p><p>Cada color de letras o fondo puede estar configurado o no, no configurado significa que no está asignado para este elemento y pueden aplicarse elementos de menor prioridad.</p></body></html> + <html><head/><body><p>Activar o desactivar usando las casillas de verificación. Clic con el botón derecho en un elemento para cambiar o volver al color predeterminado tanto de las letras como el color de fondo. Arrastrar y soltar los elementos para cambiar su prioridad; los primeros en la lista tienen mayor prioridad.</p><p>Cada color de letras o fondo puede estar configurado o no, no configurado significa que no está asignado para este elemento y pueden aplicarse elementos de menor prioridad.</p></body></html> - + <html><head/><body><p>Check to indicate new DXCC entities, grid squares, and callsigns per mode.</p></body></html> <html><head/><body><p>Marca para indicar nuevas entidades DXCC, Locator y indicativos por modo.</p></body></html> <html><head/><body><p>Marcar para indicar nueva entidad DXCC, locator e indicativos por modo.</p></body></html> - + Highlight by Mode Destacar por modo - + Include extra WAE entities Incluir entidades WAE adicionales - + Check to for grid highlighting to only apply to unworked grid fields Marca para que el resaltado de Locator sólo se aplique a los campos de Locator no trabajados Marcar para que el resaltado de locator sólo se aplique a los no trabajados - + Only grid Fields sought Solo campos de Locator/Grid buscados Solo campos de locator buscados - + <html><head/><body><p>Controls for Logbook of the World user lookup.</p></body></html> <html><head/><body><p>Controles para la búsqueda de usuarios de Logbook of the World (LoTW).</p></body></html> <html><head/><body><p>Búsqueda de usuarios de LoTW.</p></body></html> - + Logbook of the World User Validation Validación de Usuario de Logbook of the World (LoTW) Validación de usuario de LoTW - + Users CSV file URL: URL del archivo CSV de los usuarios: Enlace del archivo CSV de los usuarios: - + <html><head/><body><p>URL of the ARRL LotW user's last upload dates and times data file which is used to highlight decodes from stations that are known to upload their log file to LotW.</p></body></html> <html><head/><body><p>URL del último archivo de datos de fechas y horas de carga de ARRL LotW que se utiliza para resaltar decodificaciones de estaciones que se sabe que cargan su archivo de log a LotW.</p></body></html> <html><head/><body><p>Enlace del último archivo con fechas y horas de subidas de usuarios del LoTW, que se utiliza para resaltar decodificaciones de estaciones que suben su log al LoTW.</p></body></html> - - URL - - - - + https://lotw.arrl.org/lotw-user-activity.csv https://lotw.arrl.org/lotw-user-activity.csv - + <html><head/><body><p>Push this button to fetch the latest LotW user's upload date and time data file.</p></body></html> <html><head/><body><p>Presiona este botón para obtener el último archivo de datos de fecha y hora de carga de los usuarios de LotW.</p></body></html> <html><head/><body><p>Presionar este botón para descargar archivo de LoTW con la última fecha/hora de subida de los usuarios.</p></body></html> - + Fetch Now Buscar ahora - + Age of last upload less than: Edad de la última carga inferior a: Fecha última subida a LoTW inferior a: - + <html><head/><body><p>Adjust this spin box to set the age threshold of LotW user's last upload date that is accepted as a current LotW user.</p></body></html> <html><head/><body><p>Ajusta este cuadro de selección para establecer el umbral de edad de la última fecha de carga del usuario de LotW que se acepta como usuario actual de LotW.</p></body></html> <html><head/><body><p>Ajusta este cuadro de selección para establecer la última fecha de subida de logs del usuario de LoTW.</p></body></html> - + days dias - + Advanced Avanzado - + <html><head/><body><p>User-selectable parameters for JT65 VHF/UHF/Microwave decoding.</p></body></html> <html><head/><body><p>Parámetros seleccionables por el usuario para decodificación JT65 VHF/UHF/Microondas.</p></body></html> - + JT65 VHF/UHF/Microwave decoding parameters Parámetros de decodificación JT65 VHF/UHF/Microondas Parámetros decodificación JT65 VHF/UHF/Microondas - + Random erasure patterns: Patrones de borrado aleatorio: - + <html><head/><body><p>Maximum number of erasure patterns for stochastic soft-decision Reed Solomon decoder is 10^(n/2).</p></body></html> <html><head/><body><p>El número máximo de patrones de borrado para el decodificador estoico de decisión suave Reed Solomon es 10^(n/2).</p></body></html> <html><head/><body><p>El número máximo de patrones de borrado para el decodificador linear Reed Solomon es 10^(n/2).</p></body></html> - + Aggressive decoding level: Nivel de decodificación agresivo: - + <html><head/><body><p>Higher levels will increase the probability of decoding, but will also increase probability of a false decode.</p></body></html> <html><head/><body><p>Los niveles más altos aumentarán la probabilidad de decodificación, pero también aumentarán la probabilidad de una decodificación falsa.</p></body></html> <html><head/><body><p>Los niveles más altos aumentarán la probabilidad de decodificación, pero también aumentarán la probabilidad de una falsa decodificación.</p></body></html> - + Two-pass decoding Decodificación de dos pasos Decodificación en dos pasos - + Special operating activity: Generation of FT4, FT8, and MSK144 messages Actividad operativa especial: generación de mensajes FT4, FT8 y MSK144 Actividad operativa especial: Generación de mensajes FT4, FT8 y MSK144 - + <html><head/><body><p>FT8 DXpedition mode: Hound operator calling the DX.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: operador Hound llamando al DX.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: Operador "Hound" llamando al DX.</p></body></html> - - + Hound - "Hound" + "Hound" - + <html><head/><body><p>North American VHF/UHF/Microwave contests and others in which a 4-character grid locator is the required exchange.</p></body></html> <html><head/><body><p>Concursos norteamericanos de VHF/UHF/microondas y otros en los que se requiere un locator de 4 caracteres.</p></body></html> <html><head/><body><p>Concursos VHF/UHF/Microondas de norteamérica y otros en los cuales se requiere un intercambio de locator de 4 caracteres.</p></body></html> - - + NA VHF Contest Concurso NA VHF - + <html><head/><body><p>FT8 DXpedition mode: Fox (DXpedition) operator.</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: operador FOX (DXpedition).</p></body></html> <html><head/><body><p>Modo FT8 DXpedition: Operador "FOX" (DXpedition).</p></body></html> - - + Fox Fox "Fox" - + <html><head/><body><p>European VHF+ contests requiring a signal report, serial number, and 6-character locator.</p></body></html> <html><head/><body><p>Concursos europeos de VHF y superiores que requieren un informe de señal, número de serie y locator de 6 caracteres.</p></body></html> <html><head/><body><p>Concursos europeos de VHF y concursos que requieran reporte de señal, número de serie y locator de 6 caracteres.</p></body></html> - - + EU VHF Contest Concurso EU de VHF Concurso EU VHF - - + + <html><head/><body><p>ARRL RTTY Roundup and similar contests. Exchange is US state, Canadian province, or &quot;DX&quot;.</p></body></html> <html><head/><body><p>Resumen de ARRL RTTY y concursos similares. El intercambio es el estado de EE.UU., La provincia canadiense o &quot;DX&quot;.</p></body></html> <html><head/><body><p>ARRL RTTY Roundup y concursos similares. Intercambio, estado de EE.UU., provincia de Canadá o "DX".</p></body></html> - - R T T Y Roundup - - - - + RTTY Roundup messages Mensajes de resumen de RTTY Mesnajes para e lRTTY Roundup - - RTTY Roundup exchange - - - - + RTTY RU Exch: Intercambio RTTY RU: - + NJ NJ - - + + <html><head/><body><p>ARRL Field Day exchange: number of transmitters, Class, and ARRL/RAC section or &quot;DX&quot;.</p></body></html> <html><head/><body><p>Intercambio de ARRL Field Day: número de transmisores, clase y sección ARRL/RAC o &quot;DX&quot;.</p></body></html> <html><head/><body><p>Intercambiio para el ARRL Field Day: número de transmisores, "Class" y sección ARRL/RAC o "DX".</p></body></html> - - A R R L Field Day - - - - + ARRL Field Day ARRL Field Day - - Field Day exchange - - - - + FD Exch: Intercambio FD: - + 6A SNJ 6A SNJ - + <html><head/><body><p>World-Wide Digi-mode contest</p><p><br/></p></body></html> <html><head/><body><p>Concurso World-Wide Digi-mode</p><p><br/></p></body></html> <html><head/><body><p>Concurso World-Wide Digi DX</p><p><br/></p></body></html> - - WW Digital Contest - - - - + WW Digi Contest Concurso WW Digi Concurso WW Digi DX - + Miscellaneous Diverso Otros - + Degrade S/N of .wav file: Degradar S/N del archivo .wav: - - + + For offline sensitivity tests Para pruebas de sensibilidad fuera de línea - + dB dB - + Receiver bandwidth: Ancho de banda del receptor: - + Hz Hz - + Tx delay: Retardo de TX: - + Minimum delay between assertion of PTT and start of Tx audio. Retraso mínimo entre el PTT y el inicio del audio TX. - + s s - - + Tone spacing Espaciado de tono - + <html><head/><body><p>Generate Tx audio with twice the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-2 before generating RF.</p></body></html> <html><head/><body><p>Genera el audio de TX con el doble del espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 2 antes de generar RF.</p></body></html> <html><head/><body><p>Genera audio de TX con el doble del espaciado del tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 2 antes de generar RF.</p></body></html> - + x 2 x 2 - + <html><head/><body><p>Generate Tx audio with four times the normal tone spacing. Intended for special LF/MF transmitters that use a divide-by-4 before generating RF.</p></body></html> <html><head/><body><p>Genera el audio de TX con cuatro veces el espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 4 antes de generar RF.</p></body></html> <html><head/><body><p>Genera audio de TX con cuatro veces el espaciado de tono normal. Destinado a transmisores especiales de LF/MF que usan una división por 4 antes de generar RF.</p></body></html> - + x 4 x 4 - - + Waterfall spectra Espectros de la cascada Espectro de la cascada (waterfall) - + Low sidelobes Lóbulos laterales bajos - + Most sensitive Más sensible - + <html><head/><body><p>Discard (Cancel) or apply (OK) configuration changes including</p><p>resetting the radio interface and applying any soundcard changes</p></body></html> <html><head/><body><p>Descartar (Cancelar) o aplicar (OK) cambios de configuración/ajuste que incluyen</p><p>restablecer la interfaz de radio y aplicar cualquier cambio en la tarjeta de sonido</p></body></html> - <html><head/><body><p>"Aceptar" o "Cancelar" cambios de configuración, incluyendo el restablecer la interface de radio y aplicar cualquier cambio en la tarjeta de sonido</p></body></html> + <html><head/><body><p>"Aceptar" o "Cancelar" cambios de configuración, incluyendo el restablecer la interface de radio y aplicar cualquier cambio en la tarjeta de sonido</p></body></html> main + + Fatal error - Error fatal + Error fatal + + Unexpected fatal error - Error fatal inesperado + Error fatal inesperado Where <rig-name> is for multi-instance support. @@ -7398,25 +7064,15 @@ Clic derecho para insertar y eliminar opciones. ruta: "%1" - + Shared memory error Error de memoria compartida - + Unable to create shared memory segment No se puede crear un segmento de memoria compartida - - - Sub-process error - - - - - Failed to close orphaned jt9 process - - wf_palette_design_dialog @@ -7429,7 +7085,7 @@ Clic derecho para insertar y eliminar opciones. <html><head/><body><p>Double click a color to edit it.</p><p>Right click to insert or delete colors.</p><p>Colors at the top represent weak signals</p><p>and colors at the bottom represent strong</p><p>signals. You can have up to 256 colors.</p></body></html> <html><head/><body><p>Haz doble clic en un color para editarlo.</p><p>Haz clic derecho para insertar o eliminar colores.</p><p>Los colores en la parte superior representan señales débiles</p><p>y los colores en la parte inferior representan señales fuertes</p><p>Puedes tener hasta 256 colores.</p></body></html> - <html><head/><body><p>Doble clic en un color para editarlo.</p><p>Clic derecho para insertar o eliminar colores.</p><p>Los colores en la parte superior representan señales débiles</p><p>y los colores en la parte inferior representan señales fuertes</p><p>Puedes utilizar hasta 256 colores.</p></body></html> + <html><head/><body><p>Doble clic en un color para editarlo.</p><p>Clic derecho para insertar o eliminar colores.</p><p>Los colores en la parte superior representan señales débiles</p><p>y los colores en la parte inferior representan señales fuertes</p><p>Puedes utilizar hasta 256 colores.</p></body></html> From f23e8a4e0d8cde06ae9ec13e8d85125dff97fe35 Mon Sep 17 00:00:00 2001 From: Bill Somerville Date: Fri, 11 Sep 2020 19:07:28 +0100 Subject: [PATCH 59/59] Catalan l10n updates, tnx to Xavi, EA3W --- translations/wsjtx_ca.ts | 195 +++++++++++++++++++++++++++------------ 1 file changed, 135 insertions(+), 60 deletions(-) diff --git a/translations/wsjtx_ca.ts b/translations/wsjtx_ca.ts index 8f39ac882..c5a542003 100644 --- a/translations/wsjtx_ca.ts +++ b/translations/wsjtx_ca.ts @@ -488,7 +488,7 @@ Format: Invalid audio output device - + El dispositiu de sortida d'àudio no és vàlid @@ -694,14 +694,15 @@ Format: DX Lab Suite Commander send command failed - Errada del DX Lab Suite Commander en l'enviament de comanda + Error del DX Lab Suite Commander en l'enviament de comanda DX Lab Suite Commander send command failed "%1": %2 - + Error del DX Lab Suite Commander en l'enviament de comanda "%1": %2 + DX Lab Suite Commander failed to send command "%1": %2 @@ -2240,17 +2241,17 @@ Error(%2): %3 Percentage of minute sequences devoted to transmitting. - + Percentatge de seqüències de minuts dedicades a transmetre. Prefer Type 1 messages - + Preferiu els missatges de tipus 1 <html><head/><body><p>Transmit during the next sequence.</p></body></html> - + <html><head/><body><p>Transmetre durant la següent seqüència.</p></body></html> @@ -2942,7 +2943,7 @@ La llista es pot mantenir a la configuració (F2). FST4W - + FST4W Calling CQ @@ -3192,102 +3193,102 @@ La llista es pot mantenir a la configuració (F2). 1/2 - 1/2 + 1/2 2/2 - 2/2 + 2/2 1/3 - 1/3 + 1/3 2/3 - 2/3 + 2/3 3/3 - 3/3 + 3/3 1/4 - 1/4 + 1/4 2/4 - 2/4 + 2/4 3/4 - 3/4 + 3/4 4/4 - 4/4 + 4/4 1/5 - 1/5 + 1/5 2/5 - 2/5 + 2/5 3/5 - 3/5 + 3/5 4/5 - 4/5 + 4/5 5/5 - 5/5 + 5/5 1/6 - 1/6 + 1/6 2/6 - 2/6 + 2/6 3/6 - 3/6 + 3/6 4/6 - 4/6 + 4/6 5/6 - 5/6 + 5/6 6/6 - 6/6 + 6/6 @@ -3312,12 +3313,12 @@ La llista es pot mantenir a la configuració (F2). Quick-Start Guide to FST4 and FST4W - + Guia d'inici ràpid de FST4 i FST4W FST4 - + FST4 FT240W @@ -3349,7 +3350,7 @@ La llista es pot mantenir a la configuració (F2). NB - + NB @@ -3822,22 +3823,22 @@ La llista es pot mantenir a la configuració (F2). %1 (%2 sec) audio frames dropped - + %1 (%2 sec) s’han caigut els marcs d’àudio Audio Source - + Font d'àudio Reduce system load - + Reduir la càrrega del sistema Excessive dropped samples - %1 (%2 sec) audio frames dropped - + Mostres caigudes excessives - %1 (%2 sec) s’han caigut els marcs d’àudio @@ -4115,7 +4116,51 @@ La llista es pot mantenir a la configuració (F2). <tr><td><b>Alt+Z </b></td><td>Clear hung decoder status</td></tr> </table> Keyboard shortcuts help window contents - + <table cellspacing=1> + <tr><td><b>Esc </b></td><td>Atura TX, avortar QSO, esborra la cua del proper indicatiu</td></tr> + <tr><td><b>F1 </b></td><td>Guia de l'usuari en línia (Alt: transmetre TX6)</td></tr> + <tr><td><b>Shift+F1 </b></td><td>Avís de drets d'autor</td></tr> + <tr><td><b>Ctrl+F1 </b></td><td>Quant a WSJT-X</td></tr> + <tr><td><b>F2 </b></td><td>Obre la finestra de configuració (Alt: transmetre TX2)</td></tr> + <tr><td><b>F3 </b></td><td>Mostra les dreceres del teclat (Alt: transmetre TX3)</td></tr> + <tr><td><b>F4 </b></td><td>Esborra l'indicatiu de DX, Locator DX, Missatges de TX1-4 (Alt: transmetre TX4)</td></tr> + <tr><td><b>Alt+F4 </b></td><td>Surt del programa</td></tr> + <tr><td><b>F5 </b></td><td>Mostra les ordres especials del ratolí (Alt: transmetre TX5)</td></tr> + <tr><td><b>F6 </b></td><td>Obre l'arxiu següent al directori (Alt: commutar "Contesta al primer CQ")</td></tr> + <tr><td><b>Shift+F6 </b></td><td>Descodifica tots els arxius restants al directori</td></tr> + <tr><td><b>F7 </b></td><td>Mostra la finestra Mitjana de missatges</td></tr> + <tr><td><b>F11 </b></td><td>Baixa la freqüència de RX 1 Hz</td></tr> + <tr><td><b>Ctrl+F11 </b></td><td>Mou les freqüències de RX i TX idèntiques cap avall 1 Hz</td></tr> + <tr><td><b>Shift+F11 </b></td><td>Mou la freqüència de TX cap avall 60 Hz en FT8 o bé 90 Hz en FT4</td></tr> + <tr><td><b>Ctrl+Shift+F11 </b></td><td>Baixa la freqüència de marcatge 2000 Hz</td></tr> + <tr><td><b>F12 </b></td><td>Mou la freqüència de RX cap amunt 1 Hz</td></tr> + <tr><td><b>Ctrl+F12 </b></td><td>Mou les freqüències de RX i TX idèntiques cap amunt 1 Hz</td></tr> + <tr><td><b>Shift+F12 </b></td><td>Mou la freqüència de TX cap amunt 60 Hz en FT8 o bé 90 Hz en FT4</td></tr> + <tr><td><b>Ctrl+Shift+F12 </b></td><td>Mou la freqüència de marcatge cap amunt 2000 Hz</td></tr> + <tr><td><b>Alt+1-6 </b></td><td>Configura ara la transmissió a aquest número en Tab 1</td></tr> + <tr><td><b>Ctl+1-6 </b></td><td>Configura la propera transmissió a aquest número en Tab 1</td></tr> + <tr><td><b>Alt+B </b></td><td>Commuta l'estat "El millor S+P"</td></tr> + <tr><td><b>Alt+C </b></td><td>Commuta "Contesta al primer CQ" a la casella de selecció</td></tr> + <tr><td><b>Alt+D </b></td><td>Torna a descodificar a la freqüència del QSO</td></tr> + <tr><td><b>Shift+D </b></td><td>Descodificació completa (ambdues finestres)</td></tr> + <tr><td><b>Ctrl+E </b></td><td>Activa el periòde de TX parell/senar</td></tr> + <tr><td><b>Shift+E </b></td><td>Desactiva el periòde de TX parell/senar</td></tr> + <tr><td><b>Alt+E </b></td><td>Esborra</td></tr> + <tr><td><b>Ctrl+F </b></td><td>Edita el quadre de missatges de text lliure</td></tr> + <tr><td><b>Alt+G </b></td><td>Genera missatges estàndard</td></tr> + <tr><td><b>Alt+H </b></td><td>Parar TX</td></tr> + <tr><td><b>Ctrl+L </b></td><td>Cerca un indicatiu a la base de dades, genera missatges estàndard</td></tr> + <tr><td><b>Alt+M </b></td><td>Monitor</td></tr> + <tr><td><b>Alt+N </b></td><td>Activa TX</td></tr> + <tr><td><b>Ctrl+O </b></td><td>Obre un arxiu .wav</td></tr> + <tr><td><b>Alt+O </b></td><td>Canvia d'operador</td></tr> + <tr><td><b>Alt+Q </b></td><td>Log de QSOs</td></tr> + <tr><td><b>Ctrl+R </b></td><td>Utilitza el missatge TX4 de RRR (excepte a FT4)</td></tr> + <tr><td><b>Alt+R </b></td><td>Utilitza el missatge TX4 de RR73</td></tr> + <tr><td><b>Alt+S </b></td><td>Deixa de monitoritzar</td></tr> + <tr><td><b>Alt+T </b></td><td>Commuta l'estat de la sintonització</td></tr> + <tr><td><b>Alt+Z </b></td><td>Esborra l'estat del descodificador penjat</td></tr> +</table> @@ -4156,7 +4201,37 @@ La llista es pot mantenir a la configuració (F2). </tr> </table> Mouse commands help window contents - + <table cellpadding=5> + <tr> + <th align="right">Fes clic a</th> + <th align="left">Acció</th> + </tr> + <tr> + <td align="right">Cascada:</td> + <td><b>Clic</b> per definir la freqüència de RX.<br/> + <b>clic a Majúscules</b> per configurar la freqüència de TX.<br/> + <b>clic a Ctrl</b> o bé <b>clic Dret</b> per definir les freqüències de RX i TX.<br/> + <b>Doble clic</b> per descodificar també a la freqüència de RX.<br/> + </td> + </tr> + <tr> + <td align="right">Text descodificat:</td> + <td><b>Doble clic</b> per copiar el segon indicatiu a Indicatiu DX,<br/> + locator a Locator DX, canvia la freqüència de RX i TX a<br/> + la freqüència del senyal descodificat i generar missatges<br/> + estàndard.<br/> + Si <b>Manté TX Freq</b> està marcat o bé el primer missatge d’inici<br/> + és el teu pròpi indicatiu, la freqüència de TX no es modificarà tret que <br/> + <b>Ctrl</b> es manté premut.<br/> + </td> + </tr> + <tr> + <td align="right">Botó d'Esborrar:</td> + <td><b>Clic</b> per esborrar la finestra de QSOs.<br/> + <b>Doble-clic</b> per esborrar les finestres de QSOs i Activitat a la Banda. + </td> + </tr> +</table> @@ -4166,7 +4241,7 @@ La llista es pot mantenir a la configuració (F2). Spotting to PSK Reporter unavailable - + No hi ha espots a PSK Reporter @@ -4827,7 +4902,7 @@ Error(%2): %3 No audio output device configured. - + No hi ha configurat cap dispositiu de sortida d'àudio. @@ -5069,12 +5144,12 @@ Error(%2): %3 Hz - Hz + Hz Split - + Dividit JT9 @@ -5121,22 +5196,22 @@ Error(%2): %3 Invalid ADIF field %0: %1 - + El camp ADIF no és vàlid %0: %1 Malformed ADIF field %0: %1 - + Camp ADIF amb format incorrecte %0: %1 Invalid ADIF header - + Capçalera ADIF no vàlid Error opening ADIF log file for read: %0 - + Error en obrir l'arxiu de registre ADIF per llegir-lo: %0 @@ -5528,7 +5603,7 @@ període tranquil quan es fa la descodificació. Data bits - + Bits de dades @@ -5558,7 +5633,7 @@ període tranquil quan es fa la descodificació. Stop bits - + Bits de parada @@ -5657,7 +5732,7 @@ uns pocs, particularment alguns equips de Kenwood, ho requereixen. Days since last upload - + Dies des de la darrera càrrega How this program activates the PTT on your radio @@ -5941,7 +6016,7 @@ els dos canals. Enable VHF and submode features - + Activa les funcions de VHF i submode @@ -6156,7 +6231,7 @@ per avaluar la propagació i el rendiment del sistema. <html><head/><body><p>The program can send your station details and all decoded signals with grid squares as spots to the http://pskreporter.info web site.</p><p>This is used for reverse beacon analysis which is very useful for assessing propagation and system performance.</p></body></html> - + <html><head/><body><p>El programa pot enviar els detalls de l'estació i tots els senyals descodificats amb locators com a spots a la web http://pskreporter.info.</p><p>S'utilitza per a l'anàlisi de balises inverses, que és molt útil per avaluar la propagació i el rendiment del sistema.</p></body></html> @@ -6166,12 +6241,12 @@ per avaluar la propagació i el rendiment del sistema. <html><head/><body><p>Check this option if a reliable connection is needed</p><p>Most users do not need this, the default uses UDP which is more efficient. Only check this if you have evidence that UDP traffic from you to PSK Reporter is being lost.</p></body></html> - + <html><head/><body><p>Marca aquesta opció si cal una connexió fiable</p><p>La majoria dels usuaris no ho necessiten, el valor per defecte utilitza UDP, que és més eficient. Comprova-ho només si tens proves que es perd el trànsit UDP que envies a PSK Reporter.</p></body></html> Use TCP/IP connection - + Utilitza la connexió TCP/IP @@ -6408,7 +6483,7 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. URL - + URL @@ -6538,17 +6613,17 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. R T T Y Roundup - + Arrodoniment R T T Y RTTY Roundup messages - Missatges de Rencontre RTTY + Missatges d'arrodoniment RTTY RTTY Roundup exchange - + Intercanvi d'arrodoniment RTTY @@ -6569,7 +6644,7 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. A R R L Field Day - + A R R L Field Day @@ -6579,7 +6654,7 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. Field Day exchange - + Intercanvi Field Day @@ -6599,7 +6674,7 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. WW Digital Contest - + WW Digital Contest @@ -6804,12 +6879,12 @@ Fes clic amb el botó dret per a les opcions d'inserció i eliminació. Sub-process error - + Error de subprocés Failed to close orphaned jt9 process - + No s'ha pogut tancar el procés jt9 orfe